+
+ >
+ );
+}
+
+export function App() {
+ return (
+
+
+
+ );
+}
diff --git a/packages/core/src/hooks/useEntity/examples/withHistory.code.tsx b/packages/core/src/hooks/useEntity/examples/withHistory.code.tsx
new file mode 100644
index 00000000..57531044
--- /dev/null
+++ b/packages/core/src/hooks/useEntity/examples/withHistory.code.tsx
@@ -0,0 +1,22 @@
+import { HassConnect, useEntity } from "@hakit/core";
+
+function Office() {
+ const lightStrip = useEntity("light.office_striplight", {
+ returnNullIfNotFound: true,
+ history: {
+ disable: false,
+ hoursToShow: 96, // defaults to 24
+ },
+ });
+ console.info("light history", lightStrip?.history);
+ // can now access all properties relating to the light
+ return lightStrip?.state ?? "unknown";
+}
+
+export function App() {
+ return (
+
+
+
+ );
+}
diff --git a/packages/core/src/hooks/useEntity/useEntity.mdx b/packages/core/src/hooks/useEntity/useEntity.mdx
index 938f61e9..8f7c4ef0 100644
--- a/packages/core/src/hooks/useEntity/useEntity.mdx
+++ b/packages/core/src/hooks/useEntity/useEntity.mdx
@@ -1,14 +1,16 @@
import { Source, Meta } from '@storybook/blocks';
+import basicExample from './examples/basic.code?raw';
+import serviceExample from './examples/service.code?raw';
+import serviceResponseExample from './examples/serviceResponse.code?raw';
+import historyExample from './examples/withHistory.code?raw';
+
# useEntity()
###### `useEntity(entity: string, options?: UseEntityOptions)`
This hook is designed to retrieve an entity and return all it's information including history (if not disabled) and the services for the entity.
-This is a memoized wrapper for the getEntity helper from `useHass()` allowing your component to only update
-when the entity actually changes.
-
-This hook should be used inside the context of `` and not outside of it otherwise it will not have access to
+This hook should be used inside the context of [``](/docs/core-hassconnect--docs) and not outside of it otherwise it will not have access to
the authenticated home assistant API.
-
### Example Usage
-
-
-
-}
-`} />
+
### Options
useEntity takes a second parameter which is an object of options.
@@ -52,76 +41,15 @@ The options are:
Example:
-
-
-
-}
-`} />
+
### Using services from entity
The `useEntity()` hook is integrated with the `useService` hook so you can use it directly from the entity object.
Everything is typed so it makes it very easy to use and develop with.
- entity.service.toggle()} >TOGGLE LIGHT
-}
-`} />
+
### Getting a response back from a service
Some services return a response, like the calendar `getEvents` service, you can access this response value by adding `returnResponse` to the service call.
The response object type is able to be defined by passing a generic type to the service call itself, see example below:
-([]);
- const getEvents = useCallback(() => {
- entity.service.getEvents({
- returnResponse: true,
- target: 'calendar.some_calendar',
- serviceData: {
- start_date_time: '2024-12-22 20:00:00',
- duration: {
- days: 24
- }
- }
- }).then((response) => {
- setEvents(response.events);
- });
- }, [entity]);
- return <>
-
; // expected output: 'https://homeassistant.local:8123/something'
+}
+
+export function App() {
+ return (
+
+
+
+ );
+}
diff --git a/packages/core/src/hooks/useHass/examples/useHass.code.tsx b/packages/core/src/hooks/useHass/examples/useHass.code.tsx
new file mode 100644
index 00000000..3c42b7a0
--- /dev/null
+++ b/packages/core/src/hooks/useHass/examples/useHass.code.tsx
@@ -0,0 +1,29 @@
+import { useHass, HassConnect } from "@hakit/core";
+
+function UseHassExample() {
+ const hass = useHass();
+ const { useStore, logout, getStates, getServices, getConfig, getUser, callService, getAllEntities, joinHassUrl, callApi } = hass;
+ const entities = getAllEntities();
+ const light = entities["light.something"];
+ console.log(callService, "is the internal function used by the `useService` hook.");
+ console.log(callApi, "is the provided function to trigger api requests programmatically to your instance.");
+ console.log(getStates, "Retrieve all information about the current state of your entities.");
+ console.log(getServices, "Retrieve all available services on your instance.");
+ console.log(getUser, "Retrieve the current user.");
+ console.log(getConfig, "Retrieve the current configuration.");
+ console.log(logout, "Logout the current authenticated instance");
+ console.log(joinHassUrl, "Join a provided url with the current authenticated hass instance url.");
+ console.log("entities", entities);
+ console.log("light", light);
+ console.log(useStore, "All information stored in the store is available.");
+ // can now access all properties relating to the light
+ return light.state;
+}
+
+export function App() {
+ return (
+
+
+
+ );
+}
diff --git a/packages/core/src/hooks/useHass/examples/useStore.code.tsx b/packages/core/src/hooks/useHass/examples/useStore.code.tsx
new file mode 100644
index 00000000..a26de033
--- /dev/null
+++ b/packages/core/src/hooks/useHass/examples/useStore.code.tsx
@@ -0,0 +1,25 @@
+import { useHass, HassConnect } from "@hakit/core";
+
+function UseStoreExample() {
+ const { useStore } = useHass();
+ // there's more available on the store than displayed here, this is just an example
+ const entities = useStore((store) => store.entities);
+ const connection = useStore((store) => store.connection);
+ const config = useStore((store) => store.config);
+ const auth = useStore((store) => store.auth);
+ console.log("data", {
+ entities,
+ connection,
+ config,
+ auth,
+ });
+ return
{JSON.stringify(entities, null, 2)}
;
+}
+
+export function App() {
+ return (
+
+
+
+ );
+}
diff --git a/packages/core/src/hooks/useHass/useHass.callApi.mdx b/packages/core/src/hooks/useHass/useHass.callApi.mdx
index defd2ea9..1793ed8b 100644
--- a/packages/core/src/hooks/useHass/useHass.callApi.mdx
+++ b/packages/core/src/hooks/useHass/useHass.callApi.mdx
@@ -1,63 +1,33 @@
import { Source, Meta } from '@storybook/blocks';
+import callApiExample from './examples/callApi.code?raw';
-
+
# callApi()
###### `callApi(endpoint: string, options?: FetchOptions)`
This will trigger a request to the [REST API](https://developers.home-assistant.io/docs/api/rest/#actions) for home assistant.
+The [api integration](https://www.home-assistant.io/integrations/api/) exposes a RESTful API and allows one to interact with a Home Assistant instance that is running headless. This integration depends on the [HTTP integration](https://www.home-assistant.io/integrations/http/).
+
By default, this will trigger a GET request, you'll need to provide the options argument to update the method and body of the request of changing to POST.
-You will at least need to add the following to your configuration.yaml in home assistant to [enable the api](https://www.home-assistant.io/integrations/api):
+> **1**: If you are not using the [frontend](https://www.home-assistant.io/integrations/frontend/) in your setup then you need to add the [api integration](https://www.home-assistant.io/integrations/api/) to your configuration.yaml file.
-
+> **2**: You do not need to provide the `/api` prefix to the endpoint. This is added automatically.
-**NOTE**: If you're developing locally, you'll need to add the port of your local server to the `cors_allowed_origins` list in your configuration.yaml, example:
+> **3**: If you're developing locally, you may need to add the port of your local server to the `cors_allowed_origins` list in your configuration.yaml for the [http integration](https://www.home-assistant.io/integrations/http/), example:
### Example Usage
The below is an example of how to use the hook to retrieve calendar events from home assistant.
-I recomend you read the documentation for the [REST API](https://developers.home-assistant.io/docs/api/rest/#actions) before attempting to use the callApi function as it will help you understand what you need to pass to the function and what you can expect to get back.
-
-([]);
- const retrieveCalendarEvents = useCallback(() => {
- const response = await callApi('/calendars/calendar.google_calendar?start=2023-09-30T14:00:00.000Z&end=2023-11-11T13:00:00.000Z');
- setEvents(response);
- }, [callApi]);
- return <>
-
- {events.length ? \`There is $\{events.length} events!\` : 'No events'}
- >
-}
-`} />
+I recommend you read the documentation for the [REST API](https://developers.home-assistant.io/docs/api/rest/#actions) before attempting to use the callApi function as it will help you understand what you need to pass to the function and what you can expect to get back.
+
+
-**NOTE**: You do not need to provide the /api prefix to the endpoint. This is added automatically.
diff --git a/packages/core/src/hooks/useHass/useHass.callService.mdx b/packages/core/src/hooks/useHass/useHass.callService.mdx
index b83a5047..2435b317 100644
--- a/packages/core/src/hooks/useHass/useHass.callService.mdx
+++ b/packages/core/src/hooks/useHass/useHass.callService.mdx
@@ -1,6 +1,6 @@
import { Source, Meta } from '@storybook/blocks';
-
+
# callService()
###### `callService(args: CallServiceArgs>)`
diff --git a/packages/core/src/hooks/useHass/useHass.getAllEntities.mdx b/packages/core/src/hooks/useHass/useHass.getAllEntities.mdx
index fc3d024e..c729ed6b 100644
--- a/packages/core/src/hooks/useHass/useHass.getAllEntities.mdx
+++ b/packages/core/src/hooks/useHass/useHass.getAllEntities.mdx
@@ -1,6 +1,7 @@
import { Source, Meta } from '@storybook/blocks';
+import getAllEntitiesExample from './examples/getAllEntities.code?raw';
-
+
# getAllEntities()
@@ -12,9 +13,4 @@ This will return every entity available in your home assistant instance as an ob
### Example Usage
-```ts
-function GetEntitiesExample() {
- const { getAllEntities } = useHass();
- const entities = getAllEntities();
- return
You have {Object.keys(entities).length} entities
-}
+
\ No newline at end of file
diff --git a/packages/core/src/hooks/useHass/useHass.getConfig.mdx b/packages/core/src/hooks/useHass/useHass.getConfig.mdx
index 9f492637..f72ef033 100644
--- a/packages/core/src/hooks/useHass/useHass.getConfig.mdx
+++ b/packages/core/src/hooks/useHass/useHass.getConfig.mdx
@@ -1,7 +1,8 @@
import { Source, Meta } from '@storybook/blocks';
+import getConfigExample from './examples/getConfig.code?raw';
-
+
# getConfig()
This will return all information about your configuration of your home assistant instance, this is all typed with typescript
@@ -13,16 +14,4 @@ so you'll have access to what's available on the object with the `HassConfig` ty
### Example Usage
-```ts
-function GetConfigExample() {
- const { getConfig } = useHass();
- const [state, setState] = useState('UNKNOWN');
- useEffect(() => {
- async function fetchConfig() {
- const config = await getConfig();
- setState(config.state);
- }
- fetchConfig();
- }, [])
- return
Your home assistant instance is {state}
-}
+
diff --git a/packages/core/src/hooks/useHass/useHass.getServices.mdx b/packages/core/src/hooks/useHass/useHass.getServices.mdx
index 89bf874e..d1c6ad66 100644
--- a/packages/core/src/hooks/useHass/useHass.getServices.mdx
+++ b/packages/core/src/hooks/useHass/useHass.getServices.mdx
@@ -1,6 +1,7 @@
import { Source, Meta } from '@storybook/blocks';
+import getServicesExample from './examples/getServices.code?raw';
-
+
# getServices()
This will return all information about your services of your home assistant instance, this is all typed with typescript
@@ -9,21 +10,9 @@ so you'll have access to what's available on the object with the `HassServices`
This is useful to know which domains/services you have available to use with `callService`.
### Definition
-
+
### Example Usage
-```ts
-function GetServicesExample() {
- const { getServices } = useHass();
- const [services, setServices] = useState(null);
- useEffect(() => {
- async function fetchServices() {
- const services = await getServices();
- setServices(services);
- }
- fetchServices();
- }, [])
- return
{JSON.stringify(services, null, 2)}
-}
+
diff --git a/packages/core/src/hooks/useHass/useHass.getStates.mdx b/packages/core/src/hooks/useHass/useHass.getStates.mdx
index 15a3c05c..29af2e99 100644
--- a/packages/core/src/hooks/useHass/useHass.getStates.mdx
+++ b/packages/core/src/hooks/useHass/useHass.getStates.mdx
@@ -1,6 +1,7 @@
import { Source, Meta } from '@storybook/blocks';
+import getStatesExample from './examples/getStates.code?raw';
-
+
# getStates()
This will return all information about your entities with state values of your home assistant instance, this is all typed with typescript
@@ -12,16 +13,4 @@ so you'll have access to what's available on the object with the `HassEntity[]`
### Example Usage
-```ts
-function GetStatesExample() {
- const { getStates } = useHass();
- const [states, setStates] = useState(null);
- useEffect(() => {
- async function fetchStates() {
- const states = await getStates();
- setStates(states);
- }
- fetchStates();
- }, [])
- return
{JSON.stringify(states, null, 2)}
-}
+
\ No newline at end of file
diff --git a/packages/core/src/hooks/useHass/useHass.getUser.mdx b/packages/core/src/hooks/useHass/useHass.getUser.mdx
index 726c2523..d6c4bfbf 100644
--- a/packages/core/src/hooks/useHass/useHass.getUser.mdx
+++ b/packages/core/src/hooks/useHass/useHass.getUser.mdx
@@ -1,9 +1,10 @@
import { Source, Meta } from '@storybook/blocks';
+import getUserExample from './examples/getUser.code?raw';
-
+
# getUser()
-This will return all information about your current user of your home assistant instance, this is all typed with typescript
+This will return all information about the current user from the authenticated instance from your Home Assistant instance, this is all typed with typescript
so you'll have access to what's available on the object with the `HassUser` type.
This may be useful if you want to extract the name or perform different UI updates based on the role of the logged in user.
@@ -14,16 +15,4 @@ This may be useful if you want to extract the name or perform different UI updat
### Example Usage
-```ts
-function GetUserExample() {
- const { getUser } = useHass();
- const [user, setUser] = useState(null);
- useEffect(() => {
- async function fetchUser() {
- const user = await getUser();
- setUser(user);
- }
- fetchUser();
- }, [])
- return
{JSON.stringify(user, null, 2)}
-}
+
diff --git a/packages/core/src/hooks/useHass/useHass.joinHassUrl.mdx b/packages/core/src/hooks/useHass/useHass.joinHassUrl.mdx
new file mode 100644
index 00000000..35ac2268
--- /dev/null
+++ b/packages/core/src/hooks/useHass/useHass.joinHassUrl.mdx
@@ -0,0 +1,17 @@
+import { Source, Meta } from '@storybook/blocks';
+import joinHassUrlExample from './examples/joinHassUrl.code?raw';
+
+
+
+# joinHassUrl(path: string)
+This will essentially suffix the hassUrl provided to `HassConnect` with the string provided to the first param.
+
+This may be useful if you want to extract the name or perform different UI updates based on the role of the logged in user.
+
+### Definition
+
+
+
+### Example Usage
+
+
diff --git a/packages/core/src/hooks/useHass/useHass.mdx b/packages/core/src/hooks/useHass/useHass.mdx
index b5b9755a..8e1ad202 100644
--- a/packages/core/src/hooks/useHass/useHass.mdx
+++ b/packages/core/src/hooks/useHass/useHass.mdx
@@ -1,26 +1,14 @@
-import { Meta } from '@storybook/blocks';
+import { Meta, Source } from '@storybook/blocks';
+import useHassExample from './examples/useHass.code?raw';
# useHass()
This hook will return you a set of functions that you can use to interact with your home assistant instance.
-
-This hook should be used inside the context of `` and not outside of it otherwise it will not have access to
+This hook should be used inside the context of [``](/docs/core-hassconnect--docs) and not outside of it otherwise it will not have access to
the authenticated home assistant API.
### Example Usage
-```ts
-import { HassConnect, useHass } from '@hakit/core';
-function Child() {
- const hass = useHass();
- const light = hass.getEntity('light.something');
- // can now access all properties relating to the light
- return light.state;
-}
-function App() {
- return
-
-
-}
+
diff --git a/packages/core/src/hooks/useHass/useHass.useStore.mdx b/packages/core/src/hooks/useHass/useHass.useStore.mdx
index 1545db4a..d15885ce 100644
--- a/packages/core/src/hooks/useHass/useHass.useStore.mdx
+++ b/packages/core/src/hooks/useHass/useHass.useStore.mdx
@@ -1,6 +1,7 @@
import { Source, Meta } from '@storybook/blocks';
+import useStoreExample from './examples/useStore.code?raw';
-
+
# useStore(selector: (store: HassStore) => any): any
This will return all the information from the store, you can also pass through a selector through as the function to only
@@ -9,10 +10,4 @@ subscribe to updates for that particular value.
### Example Usage
-```ts
-function useStoreExample() {
-
- const { useStore } = useHass();
- const entities = useStore(store => store.entities);
- return
{JSON.stringify(entities, null, 2)}
-}
+
\ No newline at end of file
diff --git a/packages/core/src/hooks/useHistory/examples/useHistory.code.tsx b/packages/core/src/hooks/useHistory/examples/useHistory.code.tsx
new file mode 100644
index 00000000..85203d35
--- /dev/null
+++ b/packages/core/src/hooks/useHistory/examples/useHistory.code.tsx
@@ -0,0 +1,27 @@
+import { HassConnect, useHistory } from "@hakit/core";
+
+function Office() {
+ const history = useHistory("light.some_light");
+ // can now access all properties relating to the history for this light.
+ return history.loading ? (
+
;
+}
diff --git a/packages/core/src/hooks/useIcon/useIcon.mdx b/packages/core/src/hooks/useIcon/useIcon.mdx
index c7cc15bf..5133bbf4 100644
--- a/packages/core/src/hooks/useIcon/useIcon.mdx
+++ b/packages/core/src/hooks/useIcon/useIcon.mdx
@@ -1,5 +1,7 @@
import { Meta, Source } from '@storybook/blocks';
import { useIcon } from './';
+import basicExample from './examples/basic.code?raw';
+import customPropsExample from './examples/customProps.code?raw';
@@ -11,13 +13,7 @@ To find an available icon name, simply search for an icon on [iconify](https://i
### Example Usage
-{icon}
-}
-`} />
+
## Outputs
@@ -27,18 +23,7 @@ function IconExample() {
If you want to provide props that the Icon component that [@iconify/react"](https://iconify.design/docs/icon-components/react/) supports, pass it as the second parameter.
This example will change the color to red and the size to 40px.
-{icon}
-}
-`} />
+
## Outputs
diff --git a/packages/core/src/hooks/useIcon/useIconByDomain.mdx b/packages/core/src/hooks/useIcon/useIconByDomain.mdx
index 4782575a..63d7b0d7 100644
--- a/packages/core/src/hooks/useIcon/useIconByDomain.mdx
+++ b/packages/core/src/hooks/useIcon/useIconByDomain.mdx
@@ -1,5 +1,7 @@
import { Meta, Source } from '@storybook/blocks';
import { useIconByDomain } from './';
+import basic from './examples/byDomain.basic.code?raw';
+import customProps from './examples/byDomain.customProps.code?raw';
@@ -9,13 +11,7 @@ This hook will retrieve an icon by domain from a predefined list of icons.
### Example Usage
-{icon}
-}
-`} />
+
## Outputs
@@ -25,18 +21,7 @@ function IconExample() {
If you want to provide props that the Icon component that [@iconify/react](https://iconify.design/docs/icon-components/react/) supports, pass it as the second parameter.
This example will change the color to red and the size to 40px.
-{icon}
-}
-`} />
+
## Outputs
diff --git a/packages/core/src/hooks/useIcon/useIconByEntity.mdx b/packages/core/src/hooks/useIcon/useIconByEntity.mdx
index e79df44a..4c28f49f 100644
--- a/packages/core/src/hooks/useIcon/useIconByEntity.mdx
+++ b/packages/core/src/hooks/useIcon/useIconByEntity.mdx
@@ -1,4 +1,6 @@
import { Meta, Source } from '@storybook/blocks';
+import basic from './examples/byEntity.basic.code?raw';
+import customProps from './examples/byEntity.customProps.code?raw';
@@ -10,27 +12,10 @@ To find an available icon name, simply search for an icon on [iconify](https://i
### Example Usage
-{icon}
-}
-`}/>
+
## Custom Props
If you want to provide props that the Icon component that [@iconify/react](https://iconify.design/docs/icon-components/react/) supports, pass it as the second parameter.
This example will change the color to red and the size to 40px.
-{icon}
-}
-`}/>
+
diff --git a/packages/core/src/hooks/useLightBrightness/examples/basic.code.tsx b/packages/core/src/hooks/useLightBrightness/examples/basic.code.tsx
new file mode 100644
index 00000000..76a7803e
--- /dev/null
+++ b/packages/core/src/hooks/useLightBrightness/examples/basic.code.tsx
@@ -0,0 +1,32 @@
+import { HassConnect, useEntity, useLightBrightness } from "@hakit/core";
+import { Column, LightControls } from "@hakit/components";
+
+export function Dashboard() {
+ const light = useEntity("light.fake_light_1");
+
+ const brightness = useLightBrightness(light);
+ // can now access all properties relating to the weather for this entity.
+ return (
+
+
+ Brightness: {brightness}
+
+
+
+ );
+}
+export function App() {
+ return (
+
+
+
+ );
+}
diff --git a/packages/core/src/hooks/useLightBrightness/examples/primary.stories.tsx b/packages/core/src/hooks/useLightBrightness/examples/primary.stories.tsx
new file mode 100644
index 00000000..562e19cd
--- /dev/null
+++ b/packages/core/src/hooks/useLightBrightness/examples/primary.stories.tsx
@@ -0,0 +1,34 @@
+import { HassConnect } from "hass-connect-fake";
+import { ThemeProvider } from "@hakit/components";
+import { Story } from "@storybook/blocks";
+import type { Meta, StoryObj } from "@storybook/react";
+import { Dashboard } from "./basic.code";
+
+function Primary() {
+ return (
+
+
+
+
+ );
+}
+
+const meta: Meta = {
+ component: Primary,
+};
+
+export default meta;
+type Story = StoryObj;
+
+export const PrimaryExample: Story = {
+ args: {
+ label: "PrimaryExample",
+ },
+ parameters: {
+ docs: {
+ canvas: {
+ sourceState: "none",
+ },
+ },
+ },
+};
diff --git a/packages/core/src/hooks/useLightBrightness/useLightBrightnessDocs.mdx b/packages/core/src/hooks/useLightBrightness/useLightBrightnessDocs.mdx
new file mode 100644
index 00000000..bf1d45e9
--- /dev/null
+++ b/packages/core/src/hooks/useLightBrightness/useLightBrightnessDocs.mdx
@@ -0,0 +1,30 @@
+import { Meta, Source, Canvas } from '@storybook/blocks';
+import basicExample from './examples/basic.code?raw';
+import * as Primary from './examples/primary.stories';
+
+
+
+# useLightBrightness()
+###### `useLightBrightness(entity: HassEntityWithService<"light">)`
+
+The `useLightBrightness` hook is a custom React hook that calculates the brightness percentage of a light entity in a Home Assistant environment.
+
+Here's a detailed description:
+
+- **Input**: The hook takes a single argument, entity, which is an object representing a Home Assistant light entity with its associated services.
+- **Output**: The hook returns a memoized value representing the brightness percentage of the light.
+- **Logic**:
+ - If the light is in the "ON" state, it calculates the brightness percentage by converting the brightness attribute (which ranges from 0 to 255) to a percentage (0 to 100). It ensures that the minimum brightness percentage is 1%.
+ - If the light is not in the "ON" state, it returns 0, indicating that the light is off.
+- **Dependencies**: The memoized value is recalculated whenever the brightness attribute or the state of the entity changes.
+This hook is useful for efficiently managing and displaying the brightness level of a light in a React component, ensuring that the calculation is only performed when necessary.
+
+### Example Usage
+
+
+
+#### Outputs
+
+
+
+
diff --git a/packages/core/src/hooks/useLightColor/examples/basic.code.tsx b/packages/core/src/hooks/useLightColor/examples/basic.code.tsx
new file mode 100644
index 00000000..398f025f
--- /dev/null
+++ b/packages/core/src/hooks/useLightColor/examples/basic.code.tsx
@@ -0,0 +1,36 @@
+import { ColorPicker, ThemeProvider, Column } from "@hakit/components";
+import { HassConnect, isOffState, useEntity, useLightColor, hs2rgb } from "@hakit/core";
+
+export function Dashboard() {
+ const light = useEntity("light.fake_light_1");
+ const { hs } = useLightColor(light);
+ if (isOffState(light) || hs === undefined) {
+ return <>Light must be on to calculate colors>;
+ }
+ // convert the HS to RGB
+ const rgb = hs2rgb(hs);
+ return (
+
+
+ HS: {hs.map((v) => Math.round(v)).join(", ")}
+ RGB: {rgb.map((v) => Math.round(v)).join(", ")}
+
+
+
+ );
+}
+export function App() {
+ return (
+
+
+
+
+ );
+}
diff --git a/packages/core/src/hooks/useLightColor/examples/primary.stories.tsx b/packages/core/src/hooks/useLightColor/examples/primary.stories.tsx
new file mode 100644
index 00000000..562e19cd
--- /dev/null
+++ b/packages/core/src/hooks/useLightColor/examples/primary.stories.tsx
@@ -0,0 +1,34 @@
+import { HassConnect } from "hass-connect-fake";
+import { ThemeProvider } from "@hakit/components";
+import { Story } from "@storybook/blocks";
+import type { Meta, StoryObj } from "@storybook/react";
+import { Dashboard } from "./basic.code";
+
+function Primary() {
+ return (
+
+
+
+
+ );
+}
+
+const meta: Meta = {
+ component: Primary,
+};
+
+export default meta;
+type Story = StoryObj;
+
+export const PrimaryExample: Story = {
+ args: {
+ label: "PrimaryExample",
+ },
+ parameters: {
+ docs: {
+ canvas: {
+ sourceState: "none",
+ },
+ },
+ },
+};
diff --git a/packages/core/src/hooks/useLightColor/useLightColorDocs.mdx b/packages/core/src/hooks/useLightColor/useLightColorDocs.mdx
new file mode 100644
index 00000000..beb75082
--- /dev/null
+++ b/packages/core/src/hooks/useLightColor/useLightColorDocs.mdx
@@ -0,0 +1,40 @@
+import { Meta, Source, Canvas } from '@storybook/blocks';
+import basicExample from './examples/basic.code?raw';
+import * as Primary from './examples/primary.stories';
+
+
+
+# useLightColor()
+###### `useLightColor(entity: HassEntityWithService<"light">)`
+
+The `useLightColor` hook in the provided code is a custom React hook that calculates various color-related properties of a light entity in a Home Assistant environment.
+
+Here's a detailed description:
+
+- **Input**: The hook operates on an entity object, which represents a Home Assistant light entity with its associated attributes and state.
+- **Output**: The hook returns an object containing several properties related to the light's color and brightness:
+ - **brightnessAdjusted**: The brightness of the light, adjusted to a percentage scale.
+ - **white**: The white color component of the light.
+ - **coolWhite**: The cool white color component of the light.
+ - **warmWhite**: The warm white color component of the light.
+ - **colorBrightness**: The brightness of the light's color component.
+ - **hs**: The hue and saturation values of the light's color component.
+- **Logic**:
+ - **warmWhite**: Calculates the warm white component of the light if the light is on and in RGBWW color mode. It converts the RGBWW color value to a percentage and then back to a 0-255 scale.
+ - **currentRgbColor**: Retrieves the current RGB color of the light using the getLightCurrentModeRgbColor function.
+ - **colorBrightness**: Calculates the brightness of the light's color component if the light is on. It finds the maximum value among the RGB components, converts it to a percentage, and then back to a 0-255 scale.
+ - **hs**: Converts the RGB color to hue and saturation values if the light is on.
+- **Memoization**: The hook uses useMemo to memoize the calculated values, ensuring that they are only recalculated when the relevant dependencies (entity and currentRgbColor) change. This improves performance by avoiding unnecessary recalculations.
+
+This hook is useful for managing and displaying various color-related properties of a light in a React component, ensuring efficient updates and calculations based on the light's state and attributes.
+
+### Example Usage
+
+
+
+#### Outputs
+
+
+
+
+
diff --git a/packages/core/src/hooks/useLightTemperature/examples/basic.code.tsx b/packages/core/src/hooks/useLightTemperature/examples/basic.code.tsx
new file mode 100644
index 00000000..e7854112
--- /dev/null
+++ b/packages/core/src/hooks/useLightTemperature/examples/basic.code.tsx
@@ -0,0 +1,37 @@
+import { HassConnect, isOffState, useEntity, useLightTemperature, temperature2rgb } from "@hakit/core";
+import { Column, ColorTempPicker, ThemeProvider } from "@hakit/components";
+
+export function Dashboard() {
+ const light = useEntity("light.fake_light_2");
+ const temperature = useLightTemperature(light);
+ if (isOffState(light) || temperature === undefined) {
+ return <>Light must be on to calculate temperature>;
+ }
+ // convert the temperature to RGB
+ const rgb = temperature2rgb(temperature);
+ return (
+
+
+ Kelvin: {temperature}
+ RGB: {rgb.map((v) => Math.round(v)).join(", ")}
+
+
+
+ );
+}
+
+export function App() {
+ return (
+
+
+
+
+ );
+}
diff --git a/packages/core/src/hooks/useLightTemperature/examples/primary.stories.tsx b/packages/core/src/hooks/useLightTemperature/examples/primary.stories.tsx
new file mode 100644
index 00000000..e0a169f7
--- /dev/null
+++ b/packages/core/src/hooks/useLightTemperature/examples/primary.stories.tsx
@@ -0,0 +1,34 @@
+import { HassConnect } from "hass-connect-fake";
+import { Story } from "@storybook/blocks";
+import type { Meta, StoryObj } from "@storybook/react";
+import { Dashboard } from "./basic.code";
+import { ThemeProvider } from "@hakit/components";
+
+function Primary() {
+ return (
+
+
+
+
+ );
+}
+
+const meta: Meta = {
+ component: Primary,
+};
+
+export default meta;
+type Story = StoryObj;
+
+export const PrimaryExample: Story = {
+ args: {
+ label: "PrimaryExample",
+ },
+ parameters: {
+ docs: {
+ canvas: {
+ sourceState: "none",
+ },
+ },
+ },
+};
diff --git a/packages/core/src/hooks/useLightTemperature/useLightTemperatureDocs.mdx b/packages/core/src/hooks/useLightTemperature/useLightTemperatureDocs.mdx
new file mode 100644
index 00000000..c1737357
--- /dev/null
+++ b/packages/core/src/hooks/useLightTemperature/useLightTemperatureDocs.mdx
@@ -0,0 +1,30 @@
+import { Meta, Source, Story, Canvas } from '@storybook/blocks';
+import basicExample from './examples/basic.code?raw';
+import * as Primary from './examples/primary.stories';
+
+
+
+# useLightTemperature()
+###### `useLightTemperature(entity: HassEntityWithService<"light">)`
+
+The `useLightTemperature` hook is a custom React hook that calculates the color temperature of a light entity in a Home Assistant environment.
+
+Here's a detailed description:
+
+- **Input**: The hook takes a single argument, `entity`, which is an object representing a Home Assistant light entity with its associated services.
+- **Output**: The hook returns the color temperature of the light in Kelvin if the light is on and in color temperature mode; otherwise, it returns `undefined`.
+- **Logic**:
+ - The hook uses `useMemo` to memoize the result, ensuring that the calculation is only performed when the relevant dependencies change.
+ - If the light's state is `ON` and its color mode is `COLOR_TEMP`, it returns the `color_temp_kelvin` attribute of the light entity.
+ - If the light is off or not in color temperature mode, it returns `undefined`.
+- **Dependencies**: The memoized value is recalculated whenever the state, `color_mode`, or `color_temp_kelvin` attributes of the entity change.
+
+This hook is useful for efficiently managing and displaying the color temperature of a light in a React component, ensuring that the calculation is only performed when necessary.
+
+### Example Usage
+
+
+
+#### Outputs
+
+
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/examples/findReplace.code.tsx b/packages/core/src/hooks/useLocale/examples/findReplace.code.tsx
new file mode 100644
index 00000000..fb3cb32e
--- /dev/null
+++ b/packages/core/src/hooks/useLocale/examples/findReplace.code.tsx
@@ -0,0 +1,22 @@
+import { HassConnect, localize, useCamera } from "@hakit/core";
+
+export function MyComponent() {
+ const camera = useCamera("camera.mycamera");
+ return (
+ <>
+ {localize("changed_to_state", {
+ search: "{state}",
+ replace: camera.state,
+ fallback: "Camera is not available", // this will be used if \`changed_to_state\` is not available in the locales
+ })}
+ >
+ );
+}
+
+export function App() {
+ return (
+
+
+
+ );
+}
diff --git a/packages/core/src/hooks/useLocale/examples/localesConstant.code.tsx b/packages/core/src/hooks/useLocale/examples/localesConstant.code.tsx
new file mode 100644
index 00000000..f48a3ba1
--- /dev/null
+++ b/packages/core/src/hooks/useLocale/examples/localesConstant.code.tsx
@@ -0,0 +1,15 @@
+import { locales } from "@hakit/core";
+
+async function fetchLocale(languageCode: string) {
+ const locale = locales.find(({ code }) => code === languageCode);
+ if (!locale) {
+ throw new Error(`Locale not found for ${languageCode}`);
+ }
+ const data = await locale.fetch();
+ console.log(data);
+ return data;
+}
+
+fetchLocale("en").then((locale) => {
+ console.log(locale);
+});
diff --git a/packages/core/src/hooks/useLocale/examples/localizeFunction.code.tsx b/packages/core/src/hooks/useLocale/examples/localizeFunction.code.tsx
new file mode 100644
index 00000000..6ac2e6e7
--- /dev/null
+++ b/packages/core/src/hooks/useLocale/examples/localizeFunction.code.tsx
@@ -0,0 +1,15 @@
+// usage with the localize function
+import { HassConnect, localize, type LocaleKeys } from "@hakit/core";
+
+export function MyComponent() {
+ const value = localize("{{selectedKey}}" as LocaleKeys);
+ return <>{value}>; // should translate to "{{value}}"
+}
+
+export function App() {
+ return (
+
+
+
+ );
+}
diff --git a/packages/core/src/hooks/useLocale/examples/useLocale.code.tsx b/packages/core/src/hooks/useLocale/examples/useLocale.code.tsx
new file mode 100644
index 00000000..257013dd
--- /dev/null
+++ b/packages/core/src/hooks/useLocale/examples/useLocale.code.tsx
@@ -0,0 +1,15 @@
+// usage with the localize function
+import { useLocale, LocaleKeys, HassConnect } from "@hakit/core";
+
+export function MyComponent() {
+ const value = useLocale("{{selectedKey}}" as LocaleKeys);
+ return <>{value}>; // should translate to "{{value}}"
+}
+
+export function App() {
+ return (
+
+
+
+ );
+}
diff --git a/packages/core/src/hooks/useLocale/examples/useLocales.code.tsx b/packages/core/src/hooks/useLocale/examples/useLocales.code.tsx
new file mode 100644
index 00000000..6980991e
--- /dev/null
+++ b/packages/core/src/hooks/useLocale/examples/useLocales.code.tsx
@@ -0,0 +1,14 @@
+import { useLocales, HassConnect } from "@hakit/core";
+
+export function MyComponent() {
+ const locales = useLocales();
+ return <>{Object.keys(locales).join(", ")}>;
+}
+
+export function App() {
+ return (
+
+
+
+ );
+}
diff --git a/packages/core/src/hooks/useLocale/index.ts b/packages/core/src/hooks/useLocale/index.ts
index a450fd8f..dfe61373 100644
--- a/packages/core/src/hooks/useLocale/index.ts
+++ b/packages/core/src/hooks/useLocale/index.ts
@@ -18,7 +18,8 @@ interface Options {
replace?: string;
}
-export function localize(key: LocaleKeys, { search, replace, fallback }: Options = {}): string {
+export function localize(key: LocaleKeys, options?: Options): string {
+ const { search, replace, fallback } = options ?? {};
if (!LOCALES[key]) {
if (fallback) {
return fallback;
@@ -36,8 +37,8 @@ export function useLocales(): Record {
return LOCALES;
}
-export const useLocale = (key: LocaleKeys, options: Options) => {
- const { fallback = localize("unknown") } = options;
+export const useLocale = (key: LocaleKeys, options?: Options) => {
+ const { fallback = localize("unknown") } = options ?? {};
const [value, setValue] = useState(fallback);
const { getConfig } = useHass();
diff --git a/packages/core/src/hooks/useLocale/locales/af/af.json b/packages/core/src/hooks/useLocale/locales/af/af.json
index fbc6fb6f..8384bf4f 100644
--- a/packages/core/src/hooks/useLocale/locales/af/af.json
+++ b/packages/core/src/hooks/useLocale/locales/af/af.json
@@ -745,7 +745,7 @@
"can_not_skip_version": "Ní féidir an leagan a scipeáil",
"update_instructions": "Update instructions",
"current_activity": "Current activity",
- "status": "Status",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Stofsuier bevele:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -863,7 +863,7 @@
"restart_home_assistant": "Restart Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Quick reload",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Reloading configuration",
"failed_to_reload_configuration": "Failed to reload configuration",
"restart_description": "Interrupts all running automations and scripts.",
@@ -891,8 +891,8 @@
"password": "Password",
"regex_pattern": "Regex pattern",
"used_for_client_side_validation": "Used for client-side validation",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Invoerveld",
"slider": "Slider",
"step_size": "Step size",
@@ -1488,141 +1488,120 @@
"now": "Now",
"compare_data": "Compare data",
"reload_ui": "Herlaai UI",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
+ "scene": "Scene",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Klimaat",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Klimaat",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1651,6 +1630,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1676,31 +1656,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Next dawn",
- "next_dusk": "Next dusk",
- "next_midnight": "Next midnight",
- "next_noon": "Next noon",
- "next_rising": "Next rising",
- "next_setting": "Next setting",
- "solar_azimuth": "Solar azimuth",
- "solar_elevation": "Solar elevation",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1722,34 +1687,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Plugged in",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1823,6 +1830,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1873,7 +1881,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1890,6 +1897,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Next dawn",
+ "next_dusk": "Next dusk",
+ "next_midnight": "Next midnight",
+ "next_noon": "Next noon",
+ "next_rising": "Next rising",
+ "next_setting": "Next setting",
+ "solar_azimuth": "Solar azimuth",
+ "solar_elevation": "Solar elevation",
+ "solar_rising": "Solar rising",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1909,73 +1959,251 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Plugged in",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Paused",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -2008,84 +2236,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Current humidity",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Current action",
- "cooling": "Cooling",
- "defrosting": "Defrosting",
- "drying": "Drying",
- "heating": "Heating",
- "preheating": "Preheating",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Both",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Not charging",
- "disconnected": "Disconnected",
- "connected": "Connected",
- "hot": "Hot",
- "no_light": "No light",
- "light_detected": "Light detected",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "Not moving",
- "unplugged": "Unplugged",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Above horizon",
- "below_horizon": "Below horizon",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2101,13 +2257,36 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "available_tones": "Available tones",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Clear, night",
"cloudy": "Cloudy",
"exceptional": "Exceptional",
@@ -2130,26 +2309,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "disarming": "Disarming",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2158,65 +2320,112 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locked": "Locked",
+ "locking": "Locking",
+ "unlocked": "Unlocked",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Current humidity",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Current action",
+ "cooling": "Cooling",
+ "defrosting": "Defrosting",
+ "drying": "Drying",
+ "heating": "Heating",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Both",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Not charging",
+ "disconnected": "Disconnected",
+ "connected": "Connected",
+ "hot": "Hot",
+ "no_light": "No light",
+ "light_detected": "Light detected",
+ "not_moving": "Not moving",
+ "unplugged": "Unplugged",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Above horizon",
+ "below_horizon": "Below horizon",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Disarming",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2227,27 +2436,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2255,68 +2466,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2343,48 +2513,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Bridge is already configured",
- "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Couldn't get an API key",
- "link_with_deconz": "Link with deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2392,128 +2561,161 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "Bridge is already configured",
+ "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Couldn't get an API key",
+ "link_with_deconz": "Link with deCONZ",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Vytvořit síť",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Enable birth message",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Enable will message",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
"samsungtv_smart_options": "SamsungTV Smart options",
"data_use_st_status_info": "Use SmartThings TV Status information",
"data_use_st_channel_info": "Use SmartThings TV Channels information",
@@ -2541,28 +2743,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Enable birth message",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Enable will message",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2570,26 +2750,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2684,6 +2949,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
+ "increase_entity_name_brightness": "Increase {entity_name} brightness",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "First button",
+ "second_button": "Second button",
+ "third_button": "Third button",
+ "fourth_button": "Fourth button",
+ "fifth_button": "Fifth button",
+ "sixth_button": "Sixth button",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} is home",
+ "entity_name_is_not_home": "{entity_name} is not home",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Nyomd meg a(z) {entity_name} gombot",
+ "entity_name_has_been_pressed": "{entity_name} is gedruk",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} is cleaning",
+ "entity_name_is_docked": "{entity_name} is docked",
+ "entity_name_started_cleaning": "{entity_name} started cleaning",
+ "entity_name_docked": "{entity_name} docked",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} is locked",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is unlocked",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opened",
+ "entity_name_unlocked": "{entity_name} unlocked",
"action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
"change_preset_on_entity_name": "Change preset on {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2691,8 +3009,22 @@
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Close {entity_name} tilt",
+ "open_entity_name_tilt": "Open {entity_name} tilt",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Set {entity_name} tilt position",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} is closed",
+ "entity_name_is_closing": "{entity_name} is closing",
+ "entity_name_is_opening": "{entity_name} is opening",
+ "current_entity_name_position_is": "Current {entity_name} position is",
+ "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
+ "entity_name_closed": "{entity_name} closed",
+ "entity_name_closing": "{entity_name} closing",
+ "entity_name_opening": "{entity_name} opening",
+ "entity_name_position_changes": "{entity_name} position changes",
+ "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
"entity_name_battery_is_low": "{entity_name} battery is low",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2701,7 +3033,6 @@
"entity_name_is_detecting_gas": "{entity_name} is detecting gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} is detecting light",
- "entity_name_is_locked": "{entity_name} is locked",
"entity_name_is_moist": "{entity_name} is moist",
"entity_name_is_detecting_motion": "{entity_name} is detecting motion",
"entity_name_is_moving": "{entity_name} is moving",
@@ -2719,11 +3050,9 @@
"entity_name_is_not_cold": "{entity_name} is not cold",
"entity_name_is_disconnected": "{entity_name} is disconnected",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} is unlocked",
"entity_name_is_dry": "{entity_name} is dry",
"entity_name_is_not_moving": "{entity_name} is not moving",
"entity_name_is_not_occupied": "{entity_name} is not occupied",
- "entity_name_is_closed": "{entity_name} is closed",
"entity_name_is_unplugged": "{entity_name} is unplugged",
"entity_name_is_not_powered": "{entity_name} is not powered",
"entity_name_is_not_present": "{entity_name} is not present",
@@ -2731,7 +3060,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} is occupied",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is plugged in",
"entity_name_is_powered": "{entity_name} is powered",
"entity_name_is_present": "{entity_name} is present",
@@ -2751,7 +3079,6 @@
"entity_name_started_detecting_gas": "{entity_name} started detecting gas",
"entity_name_became_hot": "{entity_name} became hot",
"entity_name_started_detecting_light": "{entity_name} started detecting light",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} started detecting motion",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2762,18 +3089,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} became not hot",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} closed",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
@@ -2781,7 +3105,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} plugged in",
"entity_name_powered": "{entity_name} powered",
"entity_name_present": "{entity_name} present",
@@ -2789,46 +3112,16 @@
"entity_name_started_running": "{entity_name} started running",
"entity_name_started_detecting_smoke": "{entity_name} started detecting smoke",
"entity_name_started_detecting_sound": "{entity_name} started detecting sound",
- "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
- "entity_name_became_unsafe": "{entity_name} became unsafe",
- "trigger_type_update": "{entity_name} got an update available",
- "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
- "entity_name_is_buffering": "{entity_name} is buffering",
- "entity_name_is_idle": "{entity_name} is idle",
- "entity_name_is_paused": "{entity_name} is paused",
- "entity_name_is_playing": "{entity_name} is playing",
- "entity_name_starts_buffering": "{entity_name} starts buffering",
- "entity_name_becomes_idle": "{entity_name} becomes idle",
- "entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} is home",
- "entity_name_is_not_home": "{entity_name} is not home",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
- "increase_entity_name_brightness": "Increase {entity_name} brightness",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Disarm {entity_name}",
- "trigger_entity_name": "Trigger {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} is disarmed",
- "entity_name_is_triggered": "{entity_name} is triggered",
- "entity_name_armed_away": "{entity_name} armed away",
- "entity_name_armed_home": "{entity_name} armed home",
- "entity_name_armed_night": "{entity_name} armed night",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} disarmed",
- "entity_name_triggered": "{entity_name} triggered",
- "press_entity_name_button": "Nyomd meg a(z) {entity_name} gombot",
- "entity_name_has_been_pressed": "{entity_name} is gedruk",
+ "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
+ "entity_name_became_unsafe": "{entity_name} became unsafe",
+ "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
+ "entity_name_is_buffering": "{entity_name} is buffering",
+ "entity_name_is_idle": "{entity_name} is idle",
+ "entity_name_is_paused": "{entity_name} is paused",
+ "entity_name_is_playing": "{entity_name} is playing",
+ "entity_name_starts_buffering": "{entity_name} starts buffering",
+ "entity_name_becomes_idle": "{entity_name} becomes idle",
+ "entity_name_starts_playing": "{entity_name} starts playing",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2838,35 +3131,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Close {entity_name} tilt",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Open {entity_name} tilt",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Set {entity_name} tilt position",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} is closing",
- "entity_name_is_opening": "{entity_name} is opening",
- "current_entity_name_position_is": "Current {entity_name} position is",
- "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
- "entity_name_closing": "{entity_name} closing",
- "entity_name_opening": "{entity_name} opening",
- "entity_name_position_changes": "{entity_name} position changes",
- "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Both buttons",
"bottom_buttons": "Bottom buttons",
"seventh_button": "Seventh button",
@@ -2891,13 +3155,6 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} is cleaning",
- "entity_name_is_docked": "{entity_name} is docked",
- "entity_name_started_cleaning": "{entity_name} started cleaning",
- "entity_name_docked": "{entity_name} docked",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2908,29 +3165,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Disarm {entity_name}",
+ "trigger_entity_name": "Trigger {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} is disarmed",
+ "entity_name_is_triggered": "{entity_name} is triggered",
+ "entity_name_armed_away": "{entity_name} armed away",
+ "entity_name_armed_home": "{entity_name} armed home",
+ "entity_name_armed_night": "{entity_name} armed night",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} disarmed",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "Device dropped",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Device tilted",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3061,52 +3343,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3123,6 +3375,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3133,102 +3386,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3241,25 +3403,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3285,27 +3492,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3344,40 +3832,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3385,77 +3839,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3464,83 +3857,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/ar/ar.json b/packages/core/src/hooks/useLocale/locales/ar/ar.json
index 90b9761b..e4d780dc 100644
--- a/packages/core/src/hooks/useLocale/locales/ar/ar.json
+++ b/packages/core/src/hooks/useLocale/locales/ar/ar.json
@@ -238,7 +238,7 @@
"selector_options": "Selector Options",
"action": "Action",
"area": "Area",
- "attribute": "السمه",
+ "attribute": "Attribute",
"boolean": "Boolean",
"condition": "Condition",
"date": "Date",
@@ -745,7 +745,7 @@
"can_not_skip_version": "Can not skip version",
"update_instructions": "Update instructions",
"current_activity": "النشاط الحالي",
- "status": "الحالة",
+ "status": "Status 2",
"vacuum_cleaner_commands": "أوامر المكنسة الكهربائية:",
"fan_speed": "سرعة المروحة",
"clean_spot": "Clean spot",
@@ -863,7 +863,7 @@
"restart_home_assistant": "Restart Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Quick reload",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "إعادة تحميل التكوين",
"failed_to_reload_configuration": "Failed to reload configuration",
"restart_description": "يقطع جميع عمليات التشغيل الآلي والبرامج النصية.",
@@ -894,8 +894,8 @@
"password": "Password",
"regex_pattern": "نمط Regex",
"used_for_client_side_validation": "يُستخدم للتحقق من جانب العميل",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "حقل الإدخال",
"slider": "Slider",
"step_size": "حجم الخطوة",
@@ -1202,7 +1202,7 @@
"move_to_dashboard": "Move to dashboard",
"card_configuration": "Card configuration",
"type_card_configuration": "{type} Card configuration",
- "edit_card_pick_card": "ما هي البطاقة التي ترغب في إضافتها؟",
+ "edit_card_pick_card": "Which card would you like to add?",
"toggle_editor": "Toggle editor",
"you_have_unsaved_changes": "لديك تغييرات لم يتم حفظها",
"edit_card_confirm_cancel": "هل أنت متأكد من الإلغاء؟",
@@ -1532,148 +1532,127 @@
"now": "Now",
"compare_data": "Compare data",
"reload_ui": "إعادة تحميل واجهة المستخدم",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
+ "scene": "Scene",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "محادثة",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "التكييف",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "محادثة",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "التكييف",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
"closed": "Closed",
"overheated": "Overheated",
"temperature_warning": "Temperature warning",
- "update_available": "يوجد تحديث",
+ "update_available": "Update available",
"dry": "Dry",
"wet": "Wet",
"pan_left": "Pan left",
@@ -1695,6 +1674,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1720,31 +1700,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Next dawn",
- "next_dusk": "Next dusk",
- "next_midnight": "Next midnight",
- "next_noon": "Next noon",
- "next_rising": "Next rising",
- "next_setting": "Next setting",
- "solar_azimuth": "Solar azimuth",
- "solar_elevation": "Solar elevation",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1766,34 +1731,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Plugged in",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1867,6 +1874,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1917,7 +1925,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1934,6 +1941,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "دولة الخادم",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Next dawn",
+ "next_dusk": "Next dusk",
+ "next_midnight": "Next midnight",
+ "next_noon": "Next noon",
+ "next_rising": "Next rising",
+ "next_setting": "Next setting",
+ "solar_azimuth": "Solar azimuth",
+ "solar_elevation": "Solar elevation",
+ "solar_rising": "Solar rising",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1953,73 +2003,251 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "دولة الخادم",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Plugged in",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Paused",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -2052,84 +2280,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Current humidity",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Current action",
- "cooling": "Cooling",
- "defrosting": "Defrosting",
- "drying": "Drying",
- "heating": "Heating",
- "preheating": "Preheating",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Both",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Not charging",
- "disconnected": "Disconnected",
- "connected": "Connected",
- "hot": "Hot",
- "no_light": "No light",
- "light_detected": "Light detected",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "Not moving",
- "unplugged": "Unplugged",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Above horizon",
- "below_horizon": "Below horizon",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2145,13 +2301,36 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "available_tones": "Available tones",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "تحديث تلقائي",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Clear, night",
"cloudy": "Cloudy",
"exceptional": "Exceptional",
@@ -2174,26 +2353,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "تحديث تلقائي",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "disarming": "Disarming",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2202,65 +2364,112 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locked": "Locked",
+ "locking": "Locking",
+ "unlocked": "Unlocked",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Current humidity",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Current action",
+ "cooling": "Cooling",
+ "defrosting": "Defrosting",
+ "drying": "Drying",
+ "heating": "Heating",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Both",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Not charging",
+ "disconnected": "Disconnected",
+ "connected": "Connected",
+ "hot": "Hot",
+ "no_light": "No light",
+ "light_detected": "Light detected",
+ "not_moving": "Not moving",
+ "unplugged": "Unplugged",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Above horizon",
+ "below_horizon": "Below horizon",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Disarming",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2271,27 +2480,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2299,68 +2510,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2387,48 +2557,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "الجسر تم تكوينه مسبقا",
- "no_deconz_bridges_discovered": "لم يتم اكتشاف جسور deCONZ",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "تعذر الحصول على مفتاح API",
- "link_with_deconz": "الارتباط مع deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2436,128 +2605,161 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "الجسر تم تكوينه مسبقا",
+ "no_deconz_bridges_discovered": "لم يتم اكتشاف جسور deCONZ",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "تعذر الحصول على مفتاح API",
+ "link_with_deconz": "الارتباط مع deCONZ",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "خيارات لوحة التحكم في الإنذار",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "وقت انتقال الضوء الافتراضي (بالثواني)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Enable birth message",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Enable will message",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
"samsungtv_smart_options": "SamsungTV Smart options",
"data_use_st_status_info": "Use SmartThings TV Status information",
"data_use_st_channel_info": "Use SmartThings TV Channels information",
@@ -2585,28 +2787,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Enable birth message",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Enable will message",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2614,26 +2794,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2728,6 +2993,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
+ "increase_entity_name_brightness": "Increase {entity_name} brightness",
+ "flash_entity_name": "فلاش {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "First button",
+ "second_button": "Second button",
+ "third_button": "Third button",
+ "fourth_button": "Fourth button",
+ "fifth_button": "Fifth button",
+ "sixth_button": "Sixth button",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} is home",
+ "entity_name_is_not_home": "{entity_name} is not home",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} is cleaning",
+ "entity_name_is_docked": "{entity_name} is docked",
+ "entity_name_started_cleaning": "{entity_name} started cleaning",
+ "entity_name_docked": "{entity_name} docked",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} is locked",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is unlocked",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opened",
+ "entity_name_unlocked": "{entity_name} unlocked",
"action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
"change_preset_on_entity_name": "Change preset on {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2735,8 +3053,22 @@
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Close {entity_name} tilt",
+ "open_entity_name_tilt": "Open {entity_name} tilt",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Set {entity_name} tilt position",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} is closed",
+ "entity_name_is_closing": "{entity_name} is closing",
+ "entity_name_is_opening": "{entity_name} is opening",
+ "current_entity_name_position_is": "Current {entity_name} position is",
+ "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
+ "entity_name_closed": "{entity_name} closed",
+ "entity_name_closing": "{entity_name} closing",
+ "entity_name_opening": "{entity_name} opening",
+ "entity_name_position_changes": "{entity_name} position changes",
+ "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
"entity_name_battery_is_low": "{entity_name} battery is low",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2745,7 +3077,6 @@
"entity_name_is_detecting_gas": "{entity_name} is detecting gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} is detecting light",
- "entity_name_is_locked": "{entity_name} is locked",
"entity_name_is_moist": "{entity_name} is moist",
"entity_name_is_detecting_motion": "{entity_name} is detecting motion",
"entity_name_is_moving": "{entity_name} is moving",
@@ -2763,11 +3094,9 @@
"entity_name_is_not_cold": "{entity_name} is not cold",
"entity_name_is_disconnected": "{entity_name} is disconnected",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} is unlocked",
"entity_name_is_dry": "{entity_name} is dry",
"entity_name_is_not_moving": "{entity_name} is not moving",
"entity_name_is_not_occupied": "{entity_name} is not occupied",
- "entity_name_is_closed": "{entity_name} is closed",
"entity_name_is_unplugged": "{entity_name} is unplugged",
"entity_name_is_not_powered": "{entity_name} is not powered",
"entity_name_is_not_present": "{entity_name} is not present",
@@ -2775,7 +3104,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} is occupied",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is plugged in",
"entity_name_is_powered": "{entity_name} is powered",
"entity_name_is_present": "{entity_name} is present",
@@ -2795,7 +3123,6 @@
"entity_name_started_detecting_gas": "{entity_name} started detecting gas",
"entity_name_became_hot": "{entity_name} became hot",
"entity_name_started_detecting_light": "{entity_name} started detecting light",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} started detecting motion",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2806,18 +3133,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} became not hot",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} closed",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
@@ -2825,51 +3149,23 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} plugged in",
"entity_name_powered": "{entity_name} powered",
"entity_name_present": "{entity_name} present",
"entity_name_started_detecting_problem": "{entity_name} started detecting problem",
- "entity_name_started_running": "{entity_name} started running",
- "entity_name_started_detecting_smoke": "{entity_name} started detecting smoke",
- "entity_name_started_detecting_sound": "{entity_name} started detecting sound",
- "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
- "entity_name_became_unsafe": "{entity_name} became unsafe",
- "trigger_type_update": "{entity_name} got an update available",
- "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
- "entity_name_is_buffering": "{entity_name} is buffering",
- "entity_name_is_idle": "{entity_name} خامل",
- "entity_name_is_paused": "{entity_name} is paused",
- "entity_name_is_playing": "{entity_name} is playing",
- "entity_name_starts_buffering": "{entity_name} starts buffering",
- "entity_name_becomes_idle": "{entity_name} اصبح خاملا",
- "entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} is home",
- "entity_name_is_not_home": "{entity_name} is not home",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
- "increase_entity_name_brightness": "Increase {entity_name} brightness",
- "flash_entity_name": "فلاش {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "الغي تفعيل {entity_name}",
- "trigger_entity_name": "تشغيل {entity_name}",
- "entity_name_armed_away": "{entity_name} مفعل بعيدا",
- "entity_name_armed_home": "{entity_name} مفعل بالمنزل",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_disarmed": "{entity_name} الغي التفعيل",
- "entity_name_is_triggered": "تم تشغيل {entity_name}",
- "entity_name_armed_night": "{entity_name} armed night",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_triggered": "{entity_name} triggered",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "entity_name_started_running": "{entity_name} started running",
+ "entity_name_started_detecting_smoke": "{entity_name} started detecting smoke",
+ "entity_name_started_detecting_sound": "{entity_name} started detecting sound",
+ "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
+ "entity_name_became_unsafe": "{entity_name} became unsafe",
+ "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
+ "entity_name_is_buffering": "{entity_name} is buffering",
+ "entity_name_is_idle": "{entity_name} خامل",
+ "entity_name_is_paused": "{entity_name} is paused",
+ "entity_name_is_playing": "{entity_name} is playing",
+ "entity_name_starts_buffering": "{entity_name} starts buffering",
+ "entity_name_becomes_idle": "{entity_name} اصبح خاملا",
+ "entity_name_starts_playing": "{entity_name} starts playing",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2879,35 +3175,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Close {entity_name} tilt",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Open {entity_name} tilt",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Set {entity_name} tilt position",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} is closing",
- "entity_name_is_opening": "{entity_name} is opening",
- "current_entity_name_position_is": "Current {entity_name} position is",
- "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
- "entity_name_closing": "{entity_name} closing",
- "entity_name_opening": "{entity_name} opening",
- "entity_name_position_changes": "{entity_name} position changes",
- "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Both buttons",
"bottom_buttons": "Bottom buttons",
"seventh_button": "Seventh button",
@@ -2932,13 +3199,6 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} is cleaning",
- "entity_name_is_docked": "{entity_name} is docked",
- "entity_name_started_cleaning": "{entity_name} started cleaning",
- "entity_name_docked": "{entity_name} docked",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2949,29 +3209,51 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "الغي تفعيل {entity_name}",
+ "trigger_entity_name": "تشغيل {entity_name}",
+ "entity_name_armed_away": "{entity_name} مفعل بعيدا",
+ "entity_name_armed_home": "{entity_name} مفعل بالمنزل",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_disarmed": "{entity_name} الغي التفعيل",
+ "entity_name_is_triggered": "تم تشغيل {entity_name}",
+ "entity_name_armed_night": "{entity_name} armed night",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "Device dropped",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Device tilted",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3102,52 +3384,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3164,6 +3416,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3174,102 +3427,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3282,25 +3444,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3326,27 +3533,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "اضبط سرعة المروحة",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3385,40 +3873,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3426,77 +3880,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3505,83 +3898,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "اضبط سرعة المروحة",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/bg/bg.json b/packages/core/src/hooks/useLocale/locales/bg/bg.json
index eb60ef42..2194ff65 100644
--- a/packages/core/src/hooks/useLocale/locales/bg/bg.json
+++ b/packages/core/src/hooks/useLocale/locales/bg/bg.json
@@ -220,6 +220,7 @@
"name": "Име",
"optional": "по желание",
"default": "По подразбиране",
+ "ui_common_dont_save": "Не запазвайте",
"select_media_player": "Изберете медиен плейър",
"media_browse_not_supported": "Media player does not support browsing media.",
"pick_media": "Изберете медия",
@@ -569,7 +570,7 @@
"url": "URL",
"video": "Видео",
"media_browser_media_player_unavailable": "Избраният медиен плейър е недостъпен.",
- "auto": "Авто",
+ "auto": "Автоматичен",
"grid": "Решетка",
"list": "Списък",
"task_name": "Име на задачата",
@@ -624,13 +625,12 @@
"weekday": "делничен ден",
"until": "до",
"for": "за",
- "in": "В",
+ "in": "в",
"on_the": "на",
"or": "Или",
- "at": "в",
"last": "Last",
"times": "times",
- "summary": "Резюме",
+ "summary": "Summary",
"attributes": "Атрибути",
"select_camera": "Изберете камера",
"qr_scanner_not_supported": "Вашият браузър не поддържа QR сканиране.",
@@ -642,8 +642,9 @@
"line_line_column_column": "ред: {line}, колона: {column}",
"last_changed": "Последна промяна",
"last_updated": "Последна актуализация",
- "remaining_time": "Оставащо време",
+ "time_left": "Оставащо време",
"install_status": "Статус на инсталиране",
+ "ui_components_multi_textfield_add_item": "Добавяне на {item}",
"safe_mode": "Безопасен режим",
"all_yaml_configuration": "Цялата YAML конфигурация",
"domain": "Домейн",
@@ -747,6 +748,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Създаване на резервно копие преди актуализиране",
"update_instructions": "Инструкции за актуализиране",
"current_activity": "Текуща дейност",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Команди на прахосмукачка:",
"fan_speed": "Скорост на вентилатора",
"clean_spot": "Clean spot",
@@ -781,7 +783,7 @@
"default_code": "Код по подразбиране",
"editor_default_code_error": "Кодът не съответства на формата на кода",
"entity_id": "ID на обекта",
- "unit_of_measurement": "Мерна единица",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "Единица за валежи",
"display_precision": "Прецизност на дисплея",
"default_value": "По подразбиране ({value})",
@@ -801,7 +803,7 @@
"cold": "Cold",
"connectivity": "Connectivity",
"gas": "Газ",
- "heat": "Heat",
+ "heat": "Отопление",
"light": "Light",
"moisture": "Влага",
"motion": "Движение",
@@ -864,7 +866,7 @@
"restart_home_assistant": "Рестартиране на Home Assistant?",
"advanced_options": "Разширени опции",
"quick_reload": "Бързо презареждане",
- "reload_description": "Презарежда всички налични скриптове.",
+ "reload_description": "Презареждане на таймерите от YAML конфигурацията.",
"reloading_configuration": "Презареждане на конфигурацията",
"failed_to_reload_configuration": "Неуспешно презареждане на конфигурацията",
"restart_description": "Прекъсва всички работещи автоматизации и скриптове.",
@@ -892,8 +894,8 @@
"password": "Парола",
"regex_pattern": "Regex pattern",
"used_for_client_side_validation": "Used for client-side validation",
- "minimum_value": "Минимална стойност",
- "maximum_value": "Максимална стойност",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Поле за въвеждане",
"slider": "Плъзгач",
"step_size": "Размер на стъпката",
@@ -1197,7 +1199,7 @@
"convert": "Преобразуване",
"convert_view_layout": "Преобразуване на оформлението на изгледа",
"edit_view_card_to_section_convert": "Преобразувайте изгледа си в изглед на раздели.",
- "sections_default": "Sections (default)",
+ "sections_default": "Раздели (по подразбиране)",
"masonry": "Masonry",
"sidebar": "Странична лента",
"panel_single_card": "Panel (single card)",
@@ -1216,7 +1218,7 @@
"ui_panel_lovelace_editor_edit_view_type_warning_sections": "Не можете да промените изгледа си, за да използвате типа изглед 'раздели', тъй като миграцията все още не се поддържа. Ако искате да експериментирате с изгледа 'раздели', започнете от нулата с нов изглед.",
"card_configuration": "Конфигуриране на Карта",
"type_card_configuration": "Конфигурация на картата {type}",
- "edit_card_pick_card": "Коя карта искате да добавите?",
+ "edit_card_pick_card": "Which card would you like to add?",
"toggle_editor": "Превключване на редактора",
"you_have_unsaved_changes": "Имате незапазени промени",
"edit_card_confirm_cancel": "Сигурни ли сте, че искате да отмените?",
@@ -1418,6 +1420,12 @@
"graph_type": "Графичен тип",
"to_do_list": "Списък със задачи",
"hide_completed_items": "Скриване на завършените елементи",
+ "ui_panel_lovelace_editor_card_todo_list_display_order": "Ред на показване",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc": "По азбучен ред (A-Z)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_desc": "По азбучен ред (Z-A)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc": "Краен срок (първо най-скоро)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc": "Краен срок (първо най-късно)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_manual": "Ръчен",
"thermostat": "Термостат",
"thermostat_show_current_as_primary": "Показване на текущата температура като основна информация",
"tile": "Плочка",
@@ -1540,142 +1548,121 @@
"now": "Сега",
"compare_data": "Сравняване на данни",
"reload_ui": "Презареждане на потребителския интерфейс",
- "tag": "Tags",
- "input_datetime": "Въвеждане на дата и час",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Таймер",
- "local_calendar": "Локален календар",
- "intent": "Intent",
- "device_tracker": "Проследяване на устройства",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Булеви промеливи",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "tag": "Tags",
+ "media_source": "Media Source",
+ "mobile_app": "Мобилно приложение",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Диагностика",
+ "filesize": "Размер на файла",
+ "group": "Група",
+ "binary_sensor": "Двоичен сензор",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Избор",
+ "device_automation": "Device Automation",
+ "face": "Лице",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Скрипт",
"fan": "Вентилатор",
- "weather": "Времето",
- "camera": "Камера",
+ "scene": "Scene",
"schedule": "График",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Автоматизация",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Времето",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Въвеждане на текст",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Климат",
- "binary_sensor": "Двоичен сензор",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Автоматизация",
+ "system_log": "System Log",
+ "cover": "Параван",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Параван",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Локален календар",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Сирена",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Зона",
- "auth": "Auth",
- "event": "Събитие",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Проследяване на устройства",
+ "remote": "Дистанционно",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "key": "Ключ",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Прахосмукачка",
+ "reolink": "Reolink",
+ "camera": "Камера",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Дистанционно",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Брояч",
- "filesize": "Размер на файла",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Въвеждане на число",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Проверка на захранването на Raspberry Pi",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Климат",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Булеви промеливи",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Събитие",
+ "zone": "Зона",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Алармен контролен панел",
- "input_select": "Избор",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Мобилно приложение",
+ "timer": "Таймер",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "key": "Ключ",
+ "input_datetime": "Въвеждане на дата и час",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Брояч",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Група",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Диагностика",
- "face": "Лице",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Въвеждане на текст",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Въвеждане на число",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Сирена",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Прахосмукачка",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Проверка на захранването на Raspberry Pi",
- "assist_satellite": "Assist satellite",
- "script": "Скрипт",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Ниво на батерията",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Калории",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Етажи",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Начален час на съня",
- "sleep_time_in_bed": "Време за сън в леглото",
- "steps": "Стъпки",
"battery_low": "Слаба батерия",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1704,6 +1691,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Налична версия на фърмуера",
+ "battery_level": "Ниво на батерията",
"this_month_s_consumption": "Консумация за този месец",
"today_s_consumption": "Днешната консумация",
"total_consumption": "Обща консумация",
@@ -1729,30 +1717,16 @@
"motion_sensor": "Сензор за движение",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Откриване на подправяне",
- "next_dawn": "Следваща зора",
- "next_dusk": "Следваща здрач",
- "next_midnight": "Следваща полунощ",
- "next_noon": "Следващ обяд",
- "next_rising": "Следващ изгрев",
- "next_setting": "Следващ залез",
- "solar_azimuth": "Азимут към слънцето",
- "solar_elevation": "Ъгъл на елевация към слънцето",
- "solar_rising": "Слънчев изгрев",
- "day_of_week": "Ден от седмицата",
- "illuminance": "Осветеност",
- "noise": "Шум",
- "overload": "Претоварване",
- "working_location": "Работно място",
- "created": "Created",
- "size": "Размер",
- "size_in_bytes": "Размер в байтове",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Вътрешна температура",
- "outside_temperature": "Външна температура",
+ "calibration": "Калибриране",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Незатворена аларма",
+ "unlocked_alarm": "Отключена аларма",
+ "bluetooth_signal": "Bluetooth сигнал",
+ "light_level": "Ниво на осветеност",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Моментно",
+ "pull_retract": "Pull/Retract",
"process_process": "Процес {process}",
"disk_free_mount_point": "Свободен диск {mount_point}",
"disk_use_mount_point": "Използван диск {mount_point}",
@@ -1774,34 +1748,74 @@
"swap_usage": "Използване на Swap",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Предпочитан",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "Версия на OS Agent",
- "apparmor_version": "Версия на Apparmor",
- "cpu_percent": "Процента от CPU",
- "disk_free": "Свободен диск",
- "disk_total": "Общо диск",
- "disk_used": "Използван диск",
- "memory_percent": "Процента от паметта",
- "version": "Версия",
- "newest_version": "Най-нова версия",
+ "day_of_week": "Ден от седмицата",
+ "illuminance": "Осветеност",
+ "noise": "Шум",
+ "overload": "Претоварване",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Калории",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Етажи",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Начален час на съня",
+ "sleep_time_in_bed": "Време за сън в леглото",
+ "steps": "Стъпки",
"synchronize_devices": "Синхронизиране на устройствата",
- "estimated_distance": "Estimated distance",
- "vendor": "Доставчик",
- "quiet": "Тих",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Автоматично усилване",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Сила на звука на звънеца",
"mic_volume": "Сила на звука на микрофона",
- "noise_suppression_level": "Ниво на потискане на шума",
- "off": "Изключен",
- "mute": "Mute",
+ "voice_volume": "Сила на звука на гласа",
+ "last_activity": "Последна активност",
+ "last_ding": "Last ding",
+ "last_motion": "Последно движение",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Сила на Wi-Fi сигнала",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Вътрешна температура",
+ "outside_temperature": "Външна температура",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Включен в мрежата",
+ "load_start_url": "Зареждане на началния URL",
+ "restart_browser": "Рестартиране на браузъра",
+ "restart_device": "Рестартиране на устройството",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Яркост на екрана",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Текуща страница",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Свободно пространство във вътрешното хранилище",
+ "internal_storage_total_space": "Общо пространство във вътрешното хранилище",
+ "total_memory": "Общо памет",
+ "screen_orientation": "Ориентация на екрана",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Режим на поддръжка",
+ "screensaver": "Скрийнсейвър",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1874,6 +1888,7 @@
"pir_sensitivity": "Чувствителност на PIR",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Изключен",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1924,7 +1939,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi сигнал",
"auto_focus": "Автоматичен фокус",
"auto_tracking": "Автоматично проследяване",
"doorbell_button_sound": "Doorbell button sound",
@@ -1941,6 +1955,49 @@
"record": "Запис",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Размер",
+ "size_in_bytes": "Размер в байтове",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Тих",
+ "preferred": "Предпочитан",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "Версия на OS Agent",
+ "apparmor_version": "Версия на Apparmor",
+ "cpu_percent": "Процента от CPU",
+ "disk_free": "Свободен диск",
+ "disk_total": "Общо диск",
+ "disk_used": "Използван диск",
+ "memory_percent": "Процента от паметта",
+ "version": "Версия",
+ "newest_version": "Най-нова версия",
+ "auto_gain": "Автоматично усилване",
+ "noise_suppression_level": "Ниво на потискане на шума",
+ "mute": "Mute",
+ "bytes_received": "Получени байтове",
+ "server_country": "Държава на сървъра",
+ "server_id": "ID на сървъра",
+ "server_name": "Име на сървъра",
+ "ping": "Пинг",
+ "upload": "Качване",
+ "bytes_sent": "Изпратени байтове",
+ "working_location": "Работно място",
+ "next_dawn": "Следваща зора",
+ "next_dusk": "Следваща здрач",
+ "next_midnight": "Следваща полунощ",
+ "next_noon": "Следващ обяд",
+ "next_rising": "Следващ изгрев",
+ "next_setting": "Следващ залез",
+ "solar_azimuth": "Азимут към слънцето",
+ "solar_elevation": "Ъгъл на елевация към слънцето",
+ "solar_rising": "Слънчев изгрев",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1957,75 +2014,251 @@
"not_completed": "Not completed",
"pending": "Pending",
"checking": "Checking",
- "closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Сила на звука на звънеца",
- "voice_volume": "Сила на звука на гласа",
- "last_activity": "Последна активност",
- "last_ding": "Last ding",
- "last_motion": "Последно движение",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Сила на Wi-Fi сигнала",
- "in_home_chime": "In-home chime",
- "calibration": "Калибриране",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Незатворена аларма",
- "unlocked_alarm": "Отключена аларма",
- "bluetooth_signal": "Bluetooth сигнал",
- "light_level": "Ниво на осветеност",
- "momentary": "Моментно",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Получени байтове",
- "server_country": "Държава на сървъра",
- "server_id": "ID на сървъра",
- "server_name": "Име на сървъра",
- "ping": "Пинг",
- "upload": "Качване",
- "bytes_sent": "Изпратени байтове",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Включен в мрежата",
- "load_start_url": "Зареждане на началния URL",
- "restart_browser": "Рестартиране на браузъра",
- "restart_device": "Рестартиране на устройството",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Яркост на екрана",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Текуща страница",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Свободно пространство във вътрешното хранилище",
- "internal_storage_total_space": "Общо пространство във вътрешното хранилище",
- "total_memory": "Общо памет",
- "screen_orientation": "Ориентация на екрана",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Режим на поддръжка",
- "screensaver": "Скрийнсейвър",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Управлява се чрез потребителския интерфейс",
- "max_length": "Макс. дължина",
- "min_length": "Мин. дължина",
- "pattern": "Pattern",
- "minute": "Минута",
- "second": "Секунда",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Доставчик",
+ "accelerometer": "Акселерометър",
+ "binary_input": "Двоичен вход",
+ "calibrated": "Калибриран",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "Външен сензор",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Сменете филтъра",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Самотест",
+ "keen_vent": "Keen vent",
+ "fan_group": "Група вентилатори",
+ "light_group": "Група светлини",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Закъснение при откриването",
+ "maximum_range": "Максимален обхват",
+ "minimum_range": "Минимален обхват",
+ "detection_interval": "Интервал на детекция",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Яркост на дисплея",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "Външен температурен сензор",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Време на живот на филтъра",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Локално температурно отместване",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Тегло на порцията",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Продължителност на таймера",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Мощност на предаване",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Режим на подсветка",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Ниво на сирената по подразбиране",
+ "default_siren_tone": "Тон на сирената по подразбиране",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Чувствителност на детекция",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Режим на наблюдение",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Режим на работа",
+ "output_mode": "Output mode",
+ "power_on_state": "Състояние при включване на захранването",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Режим на сензора",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Тип на ключа",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Режим на термостата",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "Честота на променливия ток",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "В процес на изпълнение",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Аналогов вход",
+ "control_status": "Control status",
+ "device_run_time": "Време на работа на устройството",
+ "device_temperature": "Температура на устройството",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Концентрация на формалдехид",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Влажност на листата",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Открит е отворен прозорец",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Резултат от самотеста",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Плътност на дима",
+ "software_error": "Софтуерна грешка",
+ "good": "Good",
+ "critical_low_battery": "Критично изтощена батерия",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Невалидна вътрешна комуникация",
+ "low_battery": "Изтощена батерия",
+ "motor_error": "Грешка на двигателя",
+ "non_volatile_memory_error": "Грешка в енергонезависимата памет",
+ "radio_communication_error": "Грешка в радиокомуникацията",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Неизвестна хардуерна грешка",
+ "soil_moisture": "Влажност на почвата",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Дезактивиране на LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "Сензор за външен прозорец",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "LED за напредък на фърмуера",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED индикатор",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Локална защита",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Режим само 1 LED",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Режим Турбо",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Налични тонове",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS точност",
- "paused": "В пауза",
- "finishes_at": "Завършва в",
- "remaining": "Remaining",
- "restore": "Възстановяване",
"last_reset": "Last reset",
"possible_states": "Възможни състояния",
"state_class": "State class",
@@ -2056,78 +2289,12 @@
"sound_pressure": "Звуково налягане",
"speed": "Скорост",
"sulphur_dioxide": "Серен диоксид",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Тегло",
- "cool": "Охлаждане",
- "fan_only": "Вентилация",
- "heat_cool": "Отопление/охлаждане",
- "aux_heat": "Допълнителен нагревател",
- "current_humidity": "Текуща влажност",
- "current_temperature": "Current Temperature",
- "fan_mode": "Режим на вентилатора",
- "diffuse": "Diffuse",
- "top": "Top",
- "current_action": "Current action",
- "defrosting": "Размразяване",
- "heating": "Отопление",
- "preheating": "Preheating",
- "max_target_humidity": "Максимална желана влажност",
- "max_target_temperature": "Максимална желана температура",
- "min_target_humidity": "Минимална желана влажност",
- "min_target_temperature": "Минимална желана температура",
- "boost": "Ускорен",
- "comfort": "Комфорт",
- "eco": "Еко",
- "sleep": "Сън",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Люлеене",
- "both": "И двете",
- "horizontal": "Хоризонтално",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Стъпка на желаната температура",
- "step": "Стъпка",
- "not_charging": "Not charging",
- "connected": "Свързан",
- "hot": "Hot",
- "no_light": "No light",
- "light_detected": "Light detected",
- "locked": "Заключена",
- "unlocked": "Отключена",
- "not_moving": "Not moving",
- "unplugged": "Изключен от мрежата",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "automatic": "Автоматично",
- "box": "Кутия",
- "above_horizon": "Над хоризонта",
- "below_horizon": "Под хоризонта",
- "buffering": "Буфериране",
- "standby": "В готовност",
- "app_id": "ID на приложението",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "ID на съдържанието",
- "content_type": "Тип на съдържанието",
- "channels": "Канали",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "Всички",
- "one": "Един",
- "available_sound_modes": "Налични режими на звука",
- "available_sources": "Налични източници",
- "receiver": "Приемник",
- "speaker": "Говорител",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Рутер",
+ "managed_via_ui": "Управлява се чрез потребителския интерфейс",
"color_mode": "Color Mode",
"brightness_only": "Само яркост",
"hs": "HS",
@@ -2143,13 +2310,36 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Налични цветови режими",
- "available_tones": "Налични тонове",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "В пауза",
"returning": "Returning",
+ "max_length": "Макс. дължина",
+ "min_length": "Мин. дължина",
+ "pattern": "Pattern",
+ "running_automations": "Работещи автоматизации",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Автоматична актуализация",
+ "installed_version": "Инсталирана версия",
+ "latest_version": "Последна версия",
+ "release_summary": "Резюме на изданието",
+ "release_url": "Release URL",
+ "skipped_version": "Пропусната версия",
+ "firmware": "Фърмуер",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Налични готови режими",
+ "minute": "Минута",
+ "second": "Секунда",
+ "next_event": "Следващо събитие",
+ "step": "Стъпка",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Рутер",
"clear_night": "Ясна нощ",
"cloudy": "Облачно",
"exceptional": "Exceptional",
@@ -2172,25 +2362,9 @@
"uv_index": "UV индекс",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Скорост на поривите на вятъра",
- "auto_update": "Автоматична актуализация",
- "in_progress": "В процес на изпълнение",
- "installed_version": "Инсталирана версия",
- "latest_version": "Последна версия",
- "release_summary": "Резюме на изданието",
- "release_url": "Release URL",
- "skipped_version": "Пропусната версия",
- "firmware": "Фърмуер",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "triggered": "Задействан",
- "changed_by": "Променено от",
- "code_for_arming": "Код за включване",
- "not_required": "Не е задължително",
- "code_format": "Формат на кода",
"identify": "Идентификация",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Записване",
"streaming": "Поточно предаване",
"access_token": "Access token",
@@ -2199,95 +2373,137 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Модел",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Автоматично",
+ "box": "Кутия",
+ "jammed": "Jammed",
+ "locked": "Заключена",
+ "locking": "Locking",
+ "unlocked": "Отключена",
+ "unlocking": "Unlocking",
+ "changed_by": "Променено от",
+ "code_format": "Формат на кода",
+ "members": "Членове",
+ "listening": "Listening",
+ "processing": "Обработка",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Охлаждане",
+ "fan_only": "Вентилация",
+ "heat_cool": "Отопление/охлаждане",
+ "aux_heat": "Допълнителен нагревател",
+ "current_humidity": "Текуща влажност",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Режим на вентилатора",
+ "diffuse": "Diffuse",
+ "top": "Top",
+ "current_action": "Current action",
+ "defrosting": "Размразяване",
+ "preheating": "Preheating",
+ "max_target_humidity": "Максимална желана влажност",
+ "max_target_temperature": "Максимална желана температура",
+ "min_target_humidity": "Минимална желана влажност",
+ "min_target_temperature": "Минимална желана температура",
+ "boost": "Ускорен",
+ "comfort": "Комфорт",
+ "eco": "Еко",
+ "sleep": "Сън",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Люлеене",
+ "both": "И двете",
+ "horizontal": "Хоризонтално",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Стъпка на желаната температура",
+ "stopped": "Stopped",
+ "garage": "Гараж",
+ "not_charging": "Not charging",
+ "connected": "Свързан",
+ "hot": "Hot",
+ "no_light": "No light",
+ "light_detected": "Light detected",
+ "not_moving": "Not moving",
+ "unplugged": "Изключен от мрежата",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Буфериране",
+ "standby": "В готовност",
+ "app_id": "ID на приложението",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "ID на съдържанието",
+ "content_type": "Тип на съдържанието",
+ "channels": "Канали",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "Всички",
+ "one": "Един",
+ "available_sound_modes": "Налични режими на звука",
+ "available_sources": "Налични източници",
+ "receiver": "Приемник",
+ "speaker": "Говорител",
+ "tv": "TV",
"end_time": "Краен час",
"start_time": "Начален час",
- "next_event": "Следващо събитие",
- "garage": "Гараж",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Звънец на вратата",
- "running_automations": "Работещи автоматизации",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Обработка",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Членове",
- "known_hosts": "Известни хостове",
- "google_cast_configuration": "Конфигурация на Google Cast",
- "confirm_description": "Искате ли да настроите {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Акаунтът вече е конфигуриран",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Неуспешно свързване",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Невалидна автентикация",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Повторната автентикация беше успешна",
- "unexpected_error": "Неочаквана грешка",
- "successfully_authenticated": "Успешна автентикация",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Изберете метод за автентикация",
- "authentication_expired_for_name": "Автентикацията за {name} е изтекла",
+ "above_horizon": "Над хоризонта",
+ "below_horizon": "Под хоризонта",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "triggered": "Задействан",
+ "code_for_arming": "Код за включване",
+ "not_required": "Не е задължително",
+ "finishes_at": "Завършва в",
+ "remaining": "Remaining",
+ "restore": "Възстановяване",
"device_is_already_configured": "Устройството вече е конфигурирано",
+ "failed_to_connect": "Неуспешно свързване",
"abort_no_devices_found": "Не са намерени устройства в мрежата",
+ "re_authentication_was_successful": "Повторната автентикация беше успешна",
"re_configuration_was_successful": "Преконфигурирането беше успешно",
"connection_error_error": "Грешка при свързване: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
"camera_stream_authentication_failed": "Camera stream authentication failed",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "Enable camera live view",
- "username": "Потребителско име",
+ "username": "Username",
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Автентикация",
+ "authentication_expired_for_name": "Автентикацията за {name} е изтекла",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Вече е конфигурирано. Възможна е само една конфигурация.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Искате ли да започнете настройката?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Неочаквана грешка",
+ "authentication_failed_error_detail": "Неуспешна автентикация: {error_detail}",
+ "error_encryption_key_invalid": "ID на ключа или ключът за криптиране е невалиден",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Искате ли да настроите {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Ключ за криптиране",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC адрес",
"service_is_already_configured": "Услугата вече е конфигурирана",
- "invalid_ics_file": "Невалиден .ics файл",
- "calendar_name": "Име на календара",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Невалидно име на хост или IP адрес",
"device_not_supported": "Устройството не се поддържа",
+ "invalid_authentication": "Невалидна автентикация",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Изберете име за устройството",
@@ -2295,68 +2511,27 @@
"yes_do_it": "Да, направете го.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Свързване с устройството",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Свързване на акаунт в Google",
- "path_is_not_allowed": "Пътят не е разрешен",
- "path_is_not_valid": "Пътят не е валиден",
- "path_to_file": "Път към файла",
- "api_key": "API ключ",
- "configure_daikin_ac": "Конфигуриране на климатик Daikin",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Адаптер",
- "multiple_adapters_description": "Изберете Bluetooth адаптер за настройка",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Клас на устройството",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Проверка на SSL сертификата",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Акаунтът вече е конфигуриран",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Успешна автентикация",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Изберете метод за автентикация",
+ "two_factor_code": "Двуфакторен код",
+ "two_factor_authentication": "Двуфакторна автентикация",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "В конфигурацията липсва задължителна променлива",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Открити DLNA DMR устройства",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Неуспешно получаване на информация за добавката {addon}.",
"abort_addon_install_failed": "Неуспешно инсталиране на добавката {addon}.",
"abort_addon_start_failed": "Неуспешно стартиране на добавката {addon}.",
@@ -2383,48 +2558,47 @@
"start_add_on": "Стартиране на добавката",
"menu_options_addon": "Използване на официалната добавка {addon}.",
"menu_options_broker": "Ръчно въвеждане на данните за връзката с брокера MQTT",
- "bridge_is_already_configured": "Мостът вече е конфигуриран",
- "no_deconz_bridges_discovered": "Не са открити мостове deCONZ",
- "abort_no_hardware_available": "Няма радио хардуер, свързан с deCONZ",
- "abort_updated_instance": "Обновяване на deCONZ с нов адрес",
- "error_linking_not_possible": "Не можа да се свърже с шлюза",
- "error_no_key": "Не можа да се получи API ключ",
- "link_with_deconz": "Връзка с deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "ПИН код",
- "discovered_android_tv": "Открит е Android TV",
- "abort_mdns_missing_mac": "Липсва MAC адрес в свойствата на MDNS.",
- "abort_mqtt_missing_api": "Липсва API порт в свойствата на MQTT.",
- "abort_mqtt_missing_ip": "Липсва IP адрес в свойствата на MQTT.",
- "abort_mqtt_missing_mac": "Липсва MAC адрес в свойствата на MQTT.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Открито е ESPHome устройство",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "В конфигурацията липсва задължителна променлива",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Открити DLNA DMR устройства",
+ "api_key": "API ключ",
+ "configure_daikin_ac": "Конфигуриране на климатик Daikin",
+ "cannot_connect_details_error_detail": "Не може да се свърже. Подробности: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Използване на SSL сертификат",
+ "verify_ssl_certificate": "Проверка на SSL сертификата",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Адаптер",
+ "multiple_adapters_description": "Изберете Bluetooth адаптер за настройка",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Активиране на HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Норвежки метеорологичен институт",
- "ipv_is_not_supported": "IPv6 не се поддържа.",
- "error_custom_port_not_supported": "Устройството Gen1 не поддържа персонализиран порт.",
- "two_factor_code": "Двуфакторен код",
- "two_factor_authentication": "Двуфакторна автентикация",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Свързване на акаунт в Google",
+ "path_is_not_allowed": "Пътят не е разрешен",
+ "path_is_not_valid": "Пътят не е валиден",
+ "path_to_file": "Път към файла",
+ "pin_code": "ПИН код",
+ "discovered_android_tv": "Открит е Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "Всички обекти",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Тип",
@@ -2432,29 +2606,205 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Група вентилатори",
- "light_group": "Група светлини",
"lock_group": "Lock group",
"media_player_group": "Група медийни плейъри",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Неуспешна автентикация: {error_detail}",
- "error_encryption_key_invalid": "ID на ключа или ключът за криптиране е невалиден",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Адрес на устройството",
- "cannot_connect_details_error_detail": "Не може да се свърже. Подробности: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Използване на SSL сертификат",
+ "known_hosts": "Известни хостове",
+ "google_cast_configuration": "Конфигурация на Google Cast",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Липсва MAC адрес в свойствата на MDNS.",
+ "abort_mqtt_missing_api": "Липсва API порт в свойствата на MQTT.",
+ "abort_mqtt_missing_ip": "Липсва IP адрес в свойствата на MQTT.",
+ "abort_mqtt_missing_mac": "Липсва MAC адрес в свойствата на MQTT.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Открито е ESPHome устройство",
+ "bridge_is_already_configured": "Мостът вече е конфигуриран",
+ "no_deconz_bridges_discovered": "Не са открити мостове deCONZ",
+ "abort_no_hardware_available": "Няма радио хардуер, свързан с deCONZ",
+ "abort_updated_instance": "Обновяване на deCONZ с нов адрес",
+ "error_linking_not_possible": "Не можа да се свърже с шлюза",
+ "error_no_key": "Не можа да се получи API ключ",
+ "link_with_deconz": "Връзка с deCONZ",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "Интеграцията изисква идентификационни данни на приложението.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 не се поддържа.",
+ "error_custom_port_not_supported": "Устройството Gen1 не поддържа персонализиран порт.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "Това устройство не е zha устройство",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Възстановяване на автоматично резервно копие",
+ "choose_formation_strategy_description": "Изберете мрежовите настройки за вашето радио.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Създаване на мрежа",
+ "keep_radio_network_settings": "Запазване на настройките на радио мрежата",
+ "upload_a_manual_backup": "Ръчно качване на резервно копие",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Изберете сериен порт",
+ "radio_type": "Тип радио",
+ "manual_pick_radio_type_description": "Изберете своя тип Zigbee радио",
+ "port_speed": "скорост на порта",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Въведете настройките на серийния порт",
+ "serial_port_settings": "Настройки на серийния порт",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Качване на файл",
+ "radio_is_not_recommended": "Радиото не се препоръчва",
+ "invalid_ics_file": "Невалиден .ics файл",
+ "calendar_name": "Име на календара",
+ "zha_alarm_options_alarm_arm_requires_code": "Изисква се код за действия по активиране",
+ "zha_alarm_options_alarm_master_code": "Главен код за контролния(те) панел(и) на алармата",
+ "alarm_control_panel_options": "Опции на контролния панел за аларма",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Време за светлинен преход по подразбиране (секунди)",
+ "zha_options_group_members_assume_state": "Членовете на групата приемат състоянието на групата",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Глобални опции",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Невалиден URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Enable birth message",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Активиране на откриването",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Enable will message",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
+ "passive_scanning": "Пасивно сканиране",
+ "protocol": "Протокол",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Езиков код",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "data_app_delete": "Check to delete this application",
+ "application_icon": "Application icon",
+ "application_id": "Application ID",
+ "application_name": "Application name",
+ "configure_application_id_app_id": "Configure application ID {app_id}",
+ "configure_android_apps": "Configure Android apps",
+ "configure_applications_list": "Configure applications list",
"ignore_cec": "Ignore CEC",
"allowed_uuids": "Allowed UUIDs",
"advanced_google_cast_configuration": "Разширена конфигурация на Google Cast",
+ "allow_deconz_clip_sensors": "Разрешаване на deCONZ CLIP сензори",
+ "allow_deconz_light_groups": "Разреши deCONZ светлинни групи",
+ "data_allow_new_devices": "Разрешаване на автоматично добавяне на нови устройства",
+ "deconz_devices_description": "Конфигурирайте видимостта на типовете устройства deCONZ",
+ "deconz_options": "deCONZ options",
+ "select_test_server": "Изберете тестов сървър",
+ "data_calendar_access": "Достъп на Home Assistant до Google Календар",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
"device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
"not_supported": "Not Supported",
"localtuya_configuration": "LocalTuya Configuration",
@@ -2471,10 +2821,9 @@
"data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
"data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
"data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
"configure_tuya_device": "Configure Tuya device",
"configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "ID на устройството",
+ "device_id": "Device ID",
"local_key": "Local key",
"protocol_version": "Protocol Version",
"data_entities": "Entities (uncheck an entity to remove it)",
@@ -2543,91 +2892,13 @@
"enable_heuristic_action_optional": "Enable heuristic action (optional)",
"data_dps_default_value": "Default value when un-initialised (optional)",
"minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Достъп на Home Assistant до Google Календар",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Пасивно сканиране",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Enable birth message",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Активиране на откриването",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Enable will message",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
"data_allow_nameless_uuids": "Разрешени понастоящем UUID. Махнете отметката, за да премахване",
"data_new_uuid": "Въведете нов разрешен UUID",
- "allow_deconz_clip_sensors": "Разрешаване на deCONZ CLIP сензори",
- "allow_deconz_light_groups": "Разреши deCONZ светлинни групи",
- "data_allow_new_devices": "Разрешаване на автоматично добавяне на нови устройства",
- "deconz_devices_description": "Конфигурирайте видимостта на типовете устройства deCONZ",
- "deconz_options": "deCONZ options",
- "data_app_delete": "Check to delete this application",
- "application_icon": "Application icon",
- "application_id": "Application ID",
- "application_name": "Application name",
- "configure_application_id_app_id": "Configure application ID {app_id}",
- "configure_android_apps": "Configure Android apps",
- "configure_applications_list": "Configure applications list",
- "invalid_url": "Невалиден URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Протокол",
- "language_code": "Езиков код",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
- "select_test_server": "Изберете тестов сървър",
- "toggle_entity_name": "Превключване на {entity_name}",
- "turn_off_entity_name": "Изключване на {entity_name}",
- "turn_on_entity_name": "Включване на {entity_name}",
- "entity_name_is_off": "{entity_name} е изключено",
- "entity_name_is_on": "{entity_name} е включено",
- "trigger_type_changed_states": "{entity_name} turned on or off",
+ "reconfigure_zha": "Преконфигуриране на ZHA",
+ "unplug_your_old_radio": "Изключете старото си радио",
+ "intent_migrate_title": "Мигриране към ново радио",
+ "re_configure_the_current_radio": "Преконфигуриране на текущото радио",
+ "migrate_or_re_configure": "Мигриране или преконфигуриране",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2722,6 +2993,57 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Намаляване на яркостта на {entity_name}",
+ "increase_entity_name_brightness": "Увеличаване на яркостта на {entity_name}",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Превключване на {entity_name}",
+ "turn_off_entity_name": "Изключване на {entity_name}",
+ "turn_on_entity_name": "Включване на {entity_name}",
+ "entity_name_is_off": "{entity_name} е изключено",
+ "entity_name_is_on": "{entity_name} е включено",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_is_up_to_date": "{entity_name} е актуален",
+ "trigger_type_update": "{entity_name} има налична актуализация",
+ "first_button": "Първи бутон",
+ "second_button": "Втори бутон",
+ "third_button": "Трети бутон",
+ "fourth_button": "Четвърти бутон",
+ "fifth_button": "Пети бутон",
+ "sixth_button": "Шести бутон",
+ "subtype_double_clicked": "\"{subtype}\" при двукратно натискане",
+ "subtype_continuously_pressed": "\"{subtype}\" при продължително натискане",
+ "trigger_type_button_long_release": "\"{subtype}\" при отпускане след продължително натискане",
+ "subtype_quadruple_clicked": "\"{subtype}\" при четирикратно натискане",
+ "subtype_quintuple_clicked": "\"{subtype}\" при петкратно натискане",
+ "subtype_pressed": "\"{subtype}\" при натискане",
+ "subtype_released": "\"{subtype}\" при отпускане",
+ "subtype_triple_clicked": "\"{subtype}\" при трикратно натискане",
+ "entity_name_is_home": "{entity_name} е у дома",
+ "entity_name_is_not_home": "{entity_name} не е у дома",
+ "entity_name_enters_a_zone": "{entity_name} влиза в зона",
+ "entity_name_leaves_a_zone": "{entity_name} напуска зона",
+ "press_entity_name_button": "Натиснете бутона {entity_name}",
+ "entity_name_has_been_pressed": "{entity_name} е натиснат",
+ "let_entity_name_clean": "Нека {entity_name} почисти",
+ "action_type_dock": "Нека {entity_name} да се върне в базовата станция",
+ "entity_name_is_cleaning": "{entity_name} почиства",
+ "entity_name_is_docked": "{entity_name} е в базовата станция",
+ "entity_name_started_cleaning": "{entity_name} започна почистване",
+ "entity_name_docked": "{entity_name} в базова станция",
+ "send_a_notification": "Изпращане на известие",
+ "lock_entity_name": "Заключи {entity_name}",
+ "open_entity_name": "Отваряне на {entity_name}",
+ "unlock_entity_name": "Отключване на {entity_name}",
+ "entity_name_is_locked": "{entity_name} е заключен",
+ "entity_name_is_open": "{entity_name} е отворен",
+ "entity_name_is_unlocked": "{entity_name} е отключен",
+ "entity_name_locked": "{entity_name} заключен",
+ "entity_name_opened": "{entity_name} се отвори",
+ "entity_name_unlocked": "{entity_name} отключен",
"action_type_set_hvac_mode": "Промяна на режим на ОВК на {entity_name}",
"change_preset_on_entity_name": "Промени предварително зададен режим на {entity_name}",
"hvac_mode": "ОВК режим",
@@ -2729,8 +3051,20 @@
"entity_name_measured_humidity_changed": "{entity_name} измерената влажност се промени",
"entity_name_measured_temperature_changed": "{entity_name} измерената температура се промени",
"entity_name_hvac_mode_changed": "{entity_name} Режим на ОВК се промени",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Стойност",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Close {entity_name} tilt",
+ "open_entity_name_tilt": "Open {entity_name} tilt",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Set {entity_name} tilt position",
+ "stop_entity_name": "Спиране на {entity_name}",
+ "entity_name_is_closed": "{entity_name} е затворен",
+ "entity_name_closing": "{entity_name} се затваря",
+ "entity_name_opening": "{entity_name} се отваря",
+ "current_entity_name_position_is": "Текущата позиция на {entity_name} е",
+ "condition_type_is_tilt_position": "Текущата позиция на наклона на {entity_name} е",
+ "entity_name_closed": "{entity_name} затворен",
+ "entity_name_position_changes": "{entity_name} промени позицията си",
+ "entity_name_tilt_position_changes": "{entity_name} промени наклона си",
"entity_name_battery_is_low": "{entity_name} батерията е изтощена",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2739,7 +3073,6 @@
"entity_name_is_detecting_gas": "{entity_name} открива газ",
"entity_name_is_hot": "{entity_name} е горещ",
"entity_name_is_detecting_light": "{entity_name} засича светлина",
- "entity_name_is_locked": "{entity_name} е заключен",
"entity_name_is_moist": "{entity_name} е влажен",
"entity_name_is_detecting_motion": "{entity_name} открива движение",
"entity_name_is_moving": "{entity_name} се движи",
@@ -2750,18 +3083,15 @@
"condition_type_is_no_problem": "{entity_name} не открива проблем",
"condition_type_is_no_smoke": "{entity_name} не открива дим",
"condition_type_is_no_sound": "{entity_name} не засича звук",
- "entity_name_is_up_to_date": "{entity_name} е актуален",
"condition_type_is_no_vibration": "{entity_name} не засича вибрации",
"entity_name_battery_is_normal": "{entity_name} батерията е заредена",
"entity_name_is_not_charging": "{entity_name} is not charging",
"entity_name_is_not_cold": "{entity_name} не е студен",
"entity_name_is_disconnected": "{entity_name} е разкачен",
"entity_name_is_not_hot": "{entity_name} не е горещ",
- "entity_name_is_unlocked": "{entity_name} е отключен",
"entity_name_is_dry": "{entity_name} е сух",
"entity_name_is_not_moving": "{entity_name} не се движи",
"entity_name_is_not_occupied": "{entity_name} не е зает",
- "entity_name_is_closed": "{entity_name} е затворен",
"entity_name_is_unplugged": "{entity_name} е изключен",
"entity_name_not_powered": "{entity_name} не се захранва",
"entity_name_is_not_present": "{entity_name} не е налице",
@@ -2769,7 +3099,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} е безопасен",
"entity_name_is_occupied": "{entity_name} е зает",
- "entity_name_is_open": "{entity_name} е отворена",
"entity_name_is_plugged_in": "{entity_name} е включен",
"entity_name_powered": "{entity_name} се захранва",
"entity_name_present": "{entity_name} присъства",
@@ -2779,7 +3108,6 @@
"entity_name_is_detecting_sound": "{entity_name} открива звук",
"entity_name_is_detecting_tampering": "{entity_name} is detecting tampering",
"entity_name_is_unsafe": "{entity_name} не е безопасен",
- "trigger_type_update": "{entity_name} има налична актуализация",
"entity_name_is_detecting_vibration": "{entity_name} засича вибрации",
"entity_name_battery_low": "{entity_name} изтощена батерия",
"entity_name_charging": "{entity_name} charging",
@@ -2789,7 +3117,6 @@
"entity_name_started_detecting_gas": "{entity_name} започна да открива газ",
"entity_name_became_hot": "{entity_name} се стопли",
"entity_name_started_detecting_light": "{entity_name} започна да открива светлина",
- "entity_name_locked": "{entity_name} заключен",
"entity_name_became_moist": "{entity_name} стана влажен",
"entity_name_started_detecting_motion": "{entity_name} започна да открива движение",
"entity_name_started_moving": "{entity_name} започна да се движи",
@@ -2800,23 +3127,19 @@
"entity_name_stopped_detecting_problem": "{entity_name} спря да открива проблем",
"entity_name_stopped_detecting_smoke": "{entity_name} спря да открива дим",
"entity_name_stopped_detecting_sound": "{entity_name} спря да открива звук",
- "entity_name_became_up_to_date": "{entity_name} се актуализира",
"entity_name_stopped_detecting_vibration": "{entity_name} спря да засича вибрации",
"entity_name_battery_normal": "{entity_name} батерията не е изтощена",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_unplugged": "{entity_name} изключен",
"entity_name_became_not_hot": "{entity_name} охладня",
- "entity_name_unlocked": "{entity_name} отключен",
"entity_name_became_dry": "{entity_name} става сух",
"entity_name_stopped_moving": "{entity_name} спря да се движи",
"entity_name_became_not_occupied": "{entity_name} вече не е зает",
- "entity_name_closed": "{entity_name} затворен",
"entity_name_not_present": "{entity_name} не присъства",
"trigger_type_not_running": "{entity_name} is no longer running",
"entity_name_stopped_detecting_tampering": "{entity_name} спря да открива подправяне",
"entity_name_became_safe": "{entity_name} стана безопасен",
"entity_name_became_occupied": "{entity_name} стана зает",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} се включи",
"entity_name_started_detecting_problem": "{entity_name} започна да открива проблем",
"entity_name_started_running": "{entity_name} started running",
@@ -2832,35 +3155,6 @@
"entity_name_starts_buffering": "{entity_name} започва буфериране",
"entity_name_becomes_idle": "{entity_name} becomes idle",
"entity_name_starts_playing": "{entity_name} започва да възпроизвежда",
- "entity_name_is_home": "{entity_name} е у дома",
- "entity_name_is_not_home": "{entity_name} не е у дома",
- "entity_name_enters_a_zone": "{entity_name} влиза в зона",
- "entity_name_leaves_a_zone": "{entity_name} напуска зона",
- "decrease_entity_name_brightness": "Намаляване на яркостта на {entity_name}",
- "increase_entity_name_brightness": "Увеличаване на яркостта на {entity_name}",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Сложи {entity_name} под охрана в режим отсъствие",
- "arm_entity_name_home": "Сложи {entity_name} под охрана в режим вкъщи",
- "arm_entity_name_night": "Сложи {entity_name} под охрана в нощен режим",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Деактивирай {entity_name}",
- "trigger_entity_name": "Задействане {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} is disarmed",
- "entity_name_is_triggered": "{entity_name} се задейства",
- "entity_name_armed_away": "{entity_name} под охрана",
- "entity_name_armed_home": "{entity_name} под охрана - вкъщи",
- "entity_name_armed_night": "{entity_name} под охрана - нощ",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} дезактивирана",
- "entity_name_triggered": "{entity_name} задействана",
- "press_entity_name_button": "Натиснете бутона {entity_name}",
- "entity_name_has_been_pressed": "{entity_name} е натиснат",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2870,33 +3164,6 @@
"cycle": "Цикъл",
"from": "От",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Close {entity_name} tilt",
- "open_entity_name": "Отваряне на {entity_name}",
- "open_entity_name_tilt": "Open {entity_name} tilt",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Set {entity_name} tilt position",
- "stop_entity_name": "Спиране на {entity_name}",
- "entity_name_closing": "{entity_name} се затваря",
- "entity_name_opening": "{entity_name} се отваря",
- "current_entity_name_position_is": "Текущата позиция на {entity_name} е",
- "condition_type_is_tilt_position": "Текущата позиция на наклона на {entity_name} е",
- "entity_name_position_changes": "{entity_name} промени позицията си",
- "entity_name_tilt_position_changes": "{entity_name} промени наклона си",
- "first_button": "Първи бутон",
- "second_button": "Втори бутон",
- "third_button": "Трети бутон",
- "fourth_button": "Четвърти бутон",
- "fifth_button": "Пети бутон",
- "sixth_button": "Шести бутон",
- "subtype_double_clicked": "{subtype} двукратно щракване",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" при отпускане след продължително натискане",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} трикратно щракване",
"both_buttons": "И двата бутона",
"bottom_buttons": "Долни бутони",
"seventh_button": "Седми бутон",
@@ -2908,7 +3175,6 @@
"side": "Страна 6",
"top_buttons": "Горни бутони",
"device_awakened": "Устройството се събуди",
- "trigger_type_remote_button_long_release": "\"{subtype}\" released after long press",
"button_rotated_subtype": "Завъртян бутон \"{subtype}\"",
"button_rotated_fast_subtype": "Button rotated fast \"{subtype}\"",
"button_rotation_subtype_stopped": "Спря въртенето на бутон \"{subtype}\"",
@@ -2922,13 +3188,6 @@
"trigger_type_remote_rotate_from_side": "Устройството е завъртяно от \"страна 6\" към \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Изпращане на известие",
- "let_entity_name_clean": "Нека {entity_name} почисти",
- "action_type_dock": "Нека {entity_name} да се върне в базовата станция",
- "entity_name_is_cleaning": "{entity_name} почиства",
- "entity_name_is_docked": "{entity_name} е в базовата станция",
- "entity_name_started_cleaning": "{entity_name} започна почистване",
- "entity_name_docked": "{entity_name} в базова станция",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2939,28 +3198,54 @@
"trigger_type_single_long": "{subtype} еднократно щракване и след това продължително щракване",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} тройно натискане",
- "lock_entity_name": "Заключи {entity_name}",
- "unlock_entity_name": "Отключване на {entity_name}",
+ "arm_entity_name_away": "Сложи {entity_name} под охрана в режим отсъствие",
+ "arm_entity_name_home": "Сложи {entity_name} под охрана в режим вкъщи",
+ "arm_entity_name_night": "Сложи {entity_name} под охрана в нощен режим",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Деактивирай {entity_name}",
+ "trigger_entity_name": "Задействане {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} is disarmed",
+ "entity_name_is_triggered": "{entity_name} се задейства",
+ "entity_name_armed_away": "{entity_name} под охрана",
+ "entity_name_armed_home": "{entity_name} под охрана - вкъщи",
+ "entity_name_armed_night": "{entity_name} под охрана - нощ",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} дезактивирана",
+ "entity_name_triggered": "{entity_name} задействана",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Квак",
+ "warn": "Предупреждение",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "С някои/определени лице(а) активирани",
+ "device_dropped": "Устройството е изтървано",
+ "device_flipped_subtype": "Устройството е обърнато \"{subtype}\"",
+ "device_knocked_subtype": "Устройството е почукано \"{subtype}\"",
+ "device_offline": "Устройството е офлайн",
+ "device_rotated_subtype": "Устройството е завъртяно \"{subtype}\"",
+ "device_slid_subtype": "Устройствого е плъзнато \"{subtype}\"",
+ "device_tilted": "Устройството е наклонено",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" при двукратно натискане (алтернативен режим)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" при продължително натискане (алтернативен режим)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" при отпускане след продължително натискане (алтернативен режим)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" при четирикратно натискане (алтернативен режим)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" при петкратно натискане (алтернативен режим)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" при натискане (алтернативен режим)",
+ "subtype_released_alternate_mode": "\"{subtype}\" при отпускане (алтернативен режим)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" при трикратно натискане (алтернативен режим)",
"add_to_queue": "Добавяне в опашката",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Повтаря всички",
"repeat_one": "Повтаря един",
- "no_code_format": "Няма формат на кода",
- "no_unit_of_measurement": "Няма мерна единица",
- "critical": "Critical",
- "debug": "Отстраняване на грешки",
- "info": "Инфо",
- "warning": "Предупреждение",
- "create_an_empty_calendar": "Създаване на празен календар",
- "options_import_ics_file": "Качване на iCalendar файл (.ics)",
- "passive": "Пасивно",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Продукт",
- "statistical_range": "Статистически обхват",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3090,52 +3375,20 @@
"wheat": "Wheat",
"white_smoke": "Бял дим",
"yellow_green": "Жълто зелен",
- "sets_the_value": "Задава стойността.",
- "the_target_value": "The target value.",
- "command": "Команда",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Задава датата и/или часа.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Дата и Час",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Приложи",
- "creates_a_new_scene": "Създава нова сцена.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Изтрива динамично създадена сцена.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Затваря клапана.",
- "opens_a_valve": "Отваря клапана.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Целева позиция.",
- "set_position": "Задаване на позиция",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Превключва клапана отворен/затворен.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Отстраняване на грешки",
+ "info": "Инфо",
+ "passive": "Пасивно",
+ "no_code_format": "Няма формат на кода",
+ "no_unit_of_measurement": "Няма мерна единица",
+ "fatal": "Fatal",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Продукт",
+ "statistical_range": "Статистически обхват",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Създаване на празен календар",
+ "options_import_ics_file": "Качване на iCalendar файл (.ics)",
"sets_a_random_effect": "Задава произволен ефект.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3152,6 +3405,7 @@
"saturation_range": "Saturation range",
"segments_description": "Списък със сегменти (0 за всички).",
"segments": "Сегменти",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Случаен ефект",
@@ -3162,102 +3416,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Проверка на конфигурацията",
- "reload_all": "Презареждане на всички",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Презареждане на персонализираните шаблони Jinja2",
- "restarts_home_assistant": "Рестартира Home Assistant.",
- "safe_mode_description": "Дезактивира персонализираните интеграции и персонализираните карти.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Актуализира местоположението на Home Assistant.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Географската ширина на вашето местоположение.",
- "longitude_of_your_location": "Географската дължина на вашето местоположение.",
- "set_location": "Задаване на местоположение",
- "stops_home_assistant": "Спира Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Обекти за актуализиране",
- "update_entity": "Актуализиране на обект",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Задава режим на работа на вентилатора.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Задаване на режим на вентилатора",
- "sets_target_humidity": "Задава желаната влажност.",
- "set_target_humidity": "Задаване на желана влажност",
- "sets_hvac_operation_mode": "Задава ОВК режим на работа.",
- "hvac_operation_mode": "ОВК режим на работа.",
- "set_hvac_mode": "Задаване на ОВК режим",
- "sets_preset_mode": "Задава готов режим.",
- "set_preset_mode": "Задаване на готов режим",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Задава режима на люлеене.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Задаване на режим на люлеене",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Задаване на желана температура",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Стойност за конфигурационния параметър.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Изчистване на списъка за изпълнение",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Пауза.",
- "starts_playing": "Започва възпроизвеждане.",
- "toggles_play_pause": "Превключва възпроизвеждане/пауза.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Спира възпроизвеждането.",
- "starts_playing_specified_media": "Започва възпроизвеждането на определена медия.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Избор на конкретен режим на звука.",
- "select_sound_mode": "Избор на режим на звука",
- "select_source": "Изберете източник",
- "shuffle_description": "Дали режимът на разбъркване е активиран или не.",
- "toggle_description": "Превключва прахосмукачката включено/изключено.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Задава нивото на звука.",
- "level": "Ниво",
- "set_volume": "Задаване на силата на звука",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Ниво на батерията на устройството.",
- "gps_coordinates": "GPS координати",
- "gps_accuracy_description": "Точност на GPS координатите.",
- "hostname_of_the_device": "Име на хост на устройството.",
- "hostname": "Име на хост",
- "mac_description": "MAC адрес на устройството.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Превключва ситрената включена/изключена.",
+ "turns_the_siren_off": "Изключва сирената.",
+ "turns_the_siren_on": "Включва сирената.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3270,25 +3433,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
"brightness_step_value": "Brightness step value",
"brightness_step_pct_description": "Change brightness by a percentage.",
"brightness_step": "Brightness step",
- "add_event_description": "Добавя ново събитие в календара.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "ID на календара",
- "description_description": "Описанието на събитието. По избор.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "Местоположение на събитието.",
- "create_event": "Създаване на събитие",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Обекти за премахване",
- "purge_entities": "Purge entities",
+ "toggles_the_helper_on_off": "Превключва помощника включено/изключено.",
+ "turns_off_the_helper": "Изключва помощника.",
+ "turns_on_the_helper": "Включва помощника.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Задава стойността.",
+ "enter_your_text": "Въведете своя текст.",
+ "set_value": "Задаване на стойност",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "ID на клъстера",
+ "type_of_the_cluster": "Тип на клъстера.",
+ "cluster_type": "Тип клъстер",
+ "command_description": "Команда(и) за изпращане до Google Assistant.",
+ "command": "Команда",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "ID на крайна точка за клъстера.",
+ "endpoint_id": "ID на крайна точка",
+ "ieee_description": "IEEE адрес за устройството.",
+ "ieee": "IEEE",
+ "manufacturer": "Производител",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Позволява на възлите да се присъединят към Zigbee мрежата.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Код за инсталиране",
+ "qr_code": "QR код",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Преконфигуриране на устройството",
+ "remove_description": "Премахване на възела от Zigbee мрежата.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID на атрибута за настройка.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Ниво",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3314,27 +3522,304 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Спира работещ скрипт.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Инсталиране на актуализация",
+ "skip_description": "Маркира наличната в момента актуализация като пропусната.",
+ "skip_update": "Пропускане на актуализацията",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Намаляване на скоростта",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Увеличаване на скоростта",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Задаване на посока",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Скорост на вентилатора.",
+ "percentage": "Percentage",
+ "set_speed": "Задаване на скорост",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Готов режим.",
+ "set_preset_mode": "Задаване на готов режим",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Изключва вентилатора.",
+ "turns_fan_on": "Включва вентилатора.",
+ "set_datetime_description": "Задава датата и/или часа.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Дата и Час",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Медийни плейъри за възпроизвеждане на съобщението.",
+ "message_description": "Основен текст на известието.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Приложи",
+ "creates_a_new_scene": "Създава нова сцена.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Изтрива динамично създадена сцена.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Презареждане на темите от YAML-конфигурацията.",
"reload_themes": "Презареждане на темите",
"name_of_a_theme": "Име на тема.",
"set_the_default_theme": "Задаване на тема по подразбиране",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Проверка на конфигурацията",
+ "reload_all": "Презареждане на всички",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Презареждане на персонализираните шаблони Jinja2",
+ "restarts_home_assistant": "Рестартира Home Assistant.",
+ "safe_mode_description": "Дезактивира персонализираните интеграции и персонализираните карти.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Актуализира местоположението на Home Assistant.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Географската ширина на вашето местоположение.",
+ "longitude_of_your_location": "Географската дължина на вашето местоположение.",
+ "set_location": "Задаване на местоположение",
+ "stops_home_assistant": "Спира Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Обекти за актуализиране",
+ "update_entity": "Актуализиране на обект",
+ "notify_description": "Изпраща уведомително съобщение до избрани цели.",
+ "data": "Data",
+ "title_for_your_notification": "Заглавие на вашето известие.",
+ "title_of_the_notification": "Заглавие на известието.",
+ "send_a_persistent_notification": "Изпращане на постоянно известие",
+ "sends_a_notification_message": "Изпраща съобщение за известие.",
+ "your_notification_message": "Вашето съобщение за известие.",
+ "title_description": "Незадължително заглавие на известието.",
+ "send_a_notification_message": "Изпращане на съобщение за известие",
+ "send_magic_packet": "Изпращане на магически пакет",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Експортиране",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Зареждане на URL в Fully Kiosk Browser.",
+ "url_to_load": "URL за зареждане.",
+ "load_url": "Зареждане на URL",
+ "configuration_parameter_to_set": "Конфигурационен параметър за настройка.",
+ "set_configuration": "Задаване на конфигурация",
+ "application_description": "Package name of the application to start.",
+ "start_application": "Start Application",
+ "battery_description": "Ниво на батерията на устройството.",
+ "gps_coordinates": "GPS координати",
+ "gps_accuracy_description": "Точност на GPS координатите.",
+ "hostname_of_the_device": "Име на хост на устройството.",
+ "hostname": "Име на хост",
+ "mac_description": "MAC адрес на устройството.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Получаване на прогноза за времето.",
+ "type_description": "Тип на прогнозата: дневна, почасова или два пъти дневно.",
+ "forecast_type": "Тип на прогнозата",
+ "get_forecast": "Получаване на прогноза",
+ "get_weather_forecasts": "Получаване на прогнози за времето.",
+ "get_forecasts": "Получаване на прогнози",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "ID на известието",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Параметри",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Включва/изключва медийния плейър.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Тон на звънене за възпроизвеждане.",
+ "ringtone": "Мелодия на звънене",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Дезактивира откриването на движение.",
+ "disable_motion_detection": "Дезактивиране на откриването на движение",
+ "enables_the_motion_detection": "Активира откриването на движение.",
+ "enable_motion_detection": "Активиране на откриване на движение",
+ "format_description": "Формат на потока, поддържан от медийния плейър.",
+ "format": "Формат",
+ "media_player_description": "Медийни плейъри, към които да се предава поточно.",
+ "play_stream": "Възпроизвеждане на поток",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Име на файла",
+ "lookback": "Lookback",
+ "snapshot_description": "Прави снимка от камера.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Направете снимка",
+ "turns_off_the_camera": "Изключва камерата.",
+ "turns_on_the_camera": "Включва камерата.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Кеш",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Произнасяне на TTS съобщение",
- "media_player_entity_id_description": "Медийни плейъри за възпроизвеждане на съобщението.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Превключва ситрената включена/изключена.",
- "turns_the_siren_off": "Изключва сирената.",
- "turns_the_siren_on": "Включва сирената.",
- "toggles_the_helper_on_off": "Превключва помощника включено/изключено.",
- "turns_off_the_helper": "Изключва помощника.",
- "turns_on_the_helper": "Включва помощника.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Изпращане на текстова команда",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Добавяне на обекти",
+ "icon_description": "Име на иконата за групата.",
+ "name_of_the_group": "Име на групата.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Заключва ключалка.",
+ "code_description": "Код за активиране на алармата.",
+ "opens_a_lock": "Отваря ключалка.",
+ "unlocks_a_lock": "Отключва ключалка.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Презарежда конфигурацията на автоматизацията.",
+ "trigger_description": "Задейства действията на автоматизацията.",
+ "skip_conditions": "Пропускане на условията",
+ "trigger": "Trigger",
+ "disables_an_automation": "Дезактивира автоматизацията.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "conversation_id": "ID на разговора",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Процес",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Задаване на позиция",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Задава режим на работа на вентилатора.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Задаване на режим на вентилатора",
+ "sets_target_humidity": "Задава желаната влажност.",
+ "set_target_humidity": "Задаване на желана влажност",
+ "sets_hvac_operation_mode": "Задава ОВК режим на работа.",
+ "hvac_operation_mode": "ОВК режим на работа.",
+ "set_hvac_mode": "Задаване на ОВК режим",
+ "sets_preset_mode": "Задава готов режим.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Задава режима на люлеене.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Задаване на режим на люлеене",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Задаване на желана температура",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Обекти за премахване",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Изчистване на списъка за изпълнение",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Пауза.",
+ "starts_playing": "Започва възпроизвеждане.",
+ "toggles_play_pause": "Превключва възпроизвеждане/пауза.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Спира възпроизвеждането.",
+ "starts_playing_specified_media": "Започва възпроизвеждането на определена медия.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Избор на конкретен режим на звука.",
+ "select_sound_mode": "Избор на режим на звука",
+ "select_source": "Изберете източник",
+ "shuffle_description": "Дали режимът на разбъркване е активиран или не.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Задава нивото на звука.",
+ "set_volume": "Задаване на силата на звука",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Рестартира добавката.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3372,40 +3857,6 @@
"restore_partial_description": "Възстановява от частично резервно копие.",
"restores_home_assistant": "Възстановява Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Намаляване на скоростта",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Увеличаване на скоростта",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Задаване на посока",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Скорост на вентилатора.",
- "percentage": "Percentage",
- "set_speed": "Задаване на скорост",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Готов режим.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Изключва вентилатора.",
- "turns_fan_on": "Включва вентилатора.",
- "get_weather_forecast": "Получаване на прогноза за времето.",
- "type_description": "Тип на прогнозата: дневна, почасова или два пъти дневно.",
- "forecast_type": "Тип на прогнозата",
- "get_forecast": "Получаване на прогноза",
- "get_weather_forecasts": "Получаване на прогнози за времето.",
- "get_forecasts": "Получаване на прогнози",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Инсталиране на актуализация",
- "skip_description": "Маркира наличната в момента актуализация като пропусната.",
- "skip_update": "Пропускане на актуализацията",
- "code_description": "Код, използван за отключване на ключалката.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Настройва алармата на: _armed for vacation_.",
- "disarms_the_alarm": "Дезактивира алармата.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Тригер",
"selects_the_first_option": "Изберете първата опция.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3413,77 +3864,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Дезактивира откриването на движение.",
- "disable_motion_detection": "Дезактивиране на откриването на движение",
- "enables_the_motion_detection": "Активира откриването на движение.",
- "enable_motion_detection": "Активиране на откриване на движение",
- "format_description": "Формат на потока, поддържан от медийния плейър.",
- "format": "Формат",
- "media_player_description": "Медийни плейъри, към които да се предава поточно.",
- "play_stream": "Възпроизвеждане на поток",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Име на файла",
- "lookback": "Lookback",
- "snapshot_description": "Прави снимка от камера.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Направете снимка",
- "turns_off_the_camera": "Изключва камерата.",
- "turns_on_the_camera": "Включва камерата.",
- "press_the_button_entity": "Press the button entity.",
+ "create_event_description": "Adds a new calendar event.",
+ "location_description": "Местоположението на събитието. По избор.",
"start_date_description": "Датата, на която трябва да започне целодневното събитие.",
+ "create_event": "Create event",
"get_events": "Получаване на събития",
- "select_the_next_option": "Изберете следващата опция.",
- "sets_the_options": "Задава опциите.",
- "list_of_options": "Списък с опции.",
- "set_options": "Задаване на опции",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Основен текст на известието.",
- "log": "Log",
- "enter_your_text": "Въведете своя текст.",
- "set_value": "Задаване на стойност",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Експортиране",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Презарежда конфигурацията на автоматизацията.",
- "trigger_description": "Задейства действията на автоматизацията.",
- "skip_conditions": "Пропускане на условията",
- "disables_an_automation": "Дезактивира автоматизацията.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Затваря клапана.",
+ "opens_a_valve": "Отваря клапана.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Превключва клапана отворен/затворен.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3492,79 +3882,33 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Команда(и) за изпращане до Google Assistant.",
- "parameters": "Параметри",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Превключва ключа включен/изключен.",
- "turns_a_switch_off": "Изключва ключа.",
- "turns_a_switch_on": "Включва ключа.",
+ "add_event_description": "Добавя ново събитие в календара.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "ID на календара",
+ "description_description": "Описанието на събитието. По избор.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Изпраща уведомително съобщение до избрани цели.",
- "data": "Data",
- "title_for_your_notification": "Заглавие на вашето известие.",
- "title_of_the_notification": "Заглавие на известието.",
- "send_a_persistent_notification": "Изпращане на постоянно известие",
- "sends_a_notification_message": "Изпраща съобщение за известие.",
- "your_notification_message": "Вашето съобщение за известие.",
- "title_description": "Незадължително заглавие на известието.",
- "send_a_notification_message": "Изпращане на съобщение за известие",
- "process_description": "Launches a conversation from a transcribed text.",
- "conversation_id": "ID на разговора",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Процес",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Тон на звънене за възпроизвеждане.",
- "ringtone": "Мелодия на звънене",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Изпращане на магически пакет",
- "send_text_command": "Изпращане на текстова команда",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Заключва ключалка.",
- "opens_a_lock": "Отваря ключалка.",
- "unlocks_a_lock": "Отключва ключалка.",
- "removes_a_group": "Removes a group.",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Добавяне на обекти",
- "icon_description": "Име на иконата за групата.",
- "name_of_the_group": "Име на групата.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Спира работещ скрипт.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "ID на известието",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Зареждане на URL в Fully Kiosk Browser.",
- "url_to_load": "URL за зареждане.",
- "load_url": "Зареждане на URL",
- "configuration_parameter_to_set": "Конфигурационен параметър за настройка.",
- "set_configuration": "Задаване на конфигурация",
- "application_description": "Package name of the application to start.",
- "start_application": "Start Application"
+ "select_the_next_option": "Изберете следващата опция.",
+ "sets_the_options": "Задава опциите.",
+ "list_of_options": "Списък с опции.",
+ "set_options": "Задаване на опции",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Настройва алармата на: _armed for vacation_.",
+ "disarms_the_alarm": "Дезактивира алармата.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Превключва ключа включен/изключен.",
+ "turns_a_switch_off": "Изключва ключа.",
+ "turns_a_switch_on": "Включва ключа."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/bn/bn.json b/packages/core/src/hooks/useLocale/locales/bn/bn.json
index 2786f4f3..a4a48c3e 100644
--- a/packages/core/src/hooks/useLocale/locales/bn/bn.json
+++ b/packages/core/src/hooks/useLocale/locales/bn/bn.json
@@ -740,7 +740,7 @@
"can_not_skip_version": "Can not skip version",
"update_instructions": "Update instructions",
"current_activity": "Current activity",
- "status": "Status",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Vacuum cleaner commands:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -858,7 +858,7 @@
"restart_home_assistant": "Restart Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Quick reload",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Reloading configuration",
"failed_to_reload_configuration": "Failed to reload configuration",
"restart_description": "Interrupts all running automations and scripts.",
@@ -886,8 +886,8 @@
"password": "Password",
"regex_pattern": "Regex pattern",
"used_for_client_side_validation": "Used for client-side validation",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Input field",
"slider": "Slider",
"step_size": "Step size",
@@ -1479,141 +1479,120 @@
"now": "এখন",
"compare_data": "Compare data",
"reload_ui": "Reload UI",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
+ "scene": "Scene",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climate",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climate",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1642,6 +1621,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1667,31 +1647,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Next dawn",
- "next_dusk": "Next dusk",
- "next_midnight": "Next midnight",
- "next_noon": "Next noon",
- "next_rising": "Next rising",
- "next_setting": "Next setting",
- "solar_azimuth": "Solar azimuth",
- "solar_elevation": "Solar elevation",
- "solar_rising": "সৌর উত্থান",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1713,34 +1678,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Plugged in",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1814,6 +1821,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1864,7 +1872,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1881,6 +1888,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Next dawn",
+ "next_dusk": "Next dusk",
+ "next_midnight": "Next midnight",
+ "next_noon": "Next noon",
+ "next_rising": "Next rising",
+ "next_setting": "Next setting",
+ "solar_azimuth": "Solar azimuth",
+ "solar_elevation": "Solar elevation",
+ "solar_rising": "সৌর উত্থান",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1900,73 +1950,251 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Plugged in",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Paused",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -1999,84 +2227,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Current humidity",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Current action",
- "cooling": "Cooling",
- "defrosting": "Defrosting",
- "drying": "Drying",
- "heating": "Heating",
- "preheating": "Preheating",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Both",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Not charging",
- "disconnected": "Disconnected",
- "connected": "Connected",
- "hot": "Hot",
- "no_light": "No light",
- "light_detected": "Light detected",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "Not moving",
- "unplugged": "Unplugged",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Above horizon",
- "below_horizon": "Below horizon",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2092,13 +2248,36 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "available_tones": "Available tones",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Clear, night",
"cloudy": "Cloudy",
"exceptional": "Exceptional",
@@ -2121,26 +2300,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "disarming": "Disarming",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2149,65 +2311,112 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locked": "Locked",
+ "locking": "Locking",
+ "unlocked": "Unlocked",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Current humidity",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Current action",
+ "cooling": "Cooling",
+ "defrosting": "Defrosting",
+ "drying": "Drying",
+ "heating": "Heating",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Both",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Not charging",
+ "disconnected": "Disconnected",
+ "connected": "Connected",
+ "hot": "Hot",
+ "no_light": "No light",
+ "light_detected": "Light detected",
+ "not_moving": "Not moving",
+ "unplugged": "Unplugged",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Above horizon",
+ "below_horizon": "Below horizon",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Disarming",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2218,27 +2427,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2246,68 +2457,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2334,48 +2504,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Bridge is already configured",
- "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Couldn't get an API key",
- "link_with_deconz": "Link with deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2383,128 +2552,161 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "Bridge is already configured",
+ "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Couldn't get an API key",
+ "link_with_deconz": "Link with deCONZ",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "আপনার জিগবি রেডিও টাইপ চয়ন করুন",
+ "port_speed": "পোর্ট গতি",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Enable birth message",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Enable will message",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
"samsungtv_smart_options": "SamsungTV Smart options",
"data_use_st_status_info": "Use SmartThings TV Status information",
"data_use_st_channel_info": "Use SmartThings TV Channels information",
@@ -2532,28 +2734,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Enable birth message",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Enable will message",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2561,26 +2741,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "ZHA পুনরায় কনফিগার করুন",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2675,6 +2940,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
+ "increase_entity_name_brightness": "Increase {entity_name} brightness",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "First button",
+ "second_button": "Second button",
+ "third_button": "Third button",
+ "fourth_button": "Fourth button",
+ "fifth_button": "Fifth button",
+ "sixth_button": "Sixth button",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} is home",
+ "entity_name_is_not_home": "{entity_name} is not home",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} is cleaning",
+ "entity_name_is_docked": "{entity_name} is docked",
+ "entity_name_started_cleaning": "{entity_name} started cleaning",
+ "entity_name_docked": "{entity_name} docked",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} is locked",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is unlocked",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opened",
+ "entity_name_unlocked": "{entity_name} unlocked",
"action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
"change_preset_on_entity_name": "Change preset on {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2682,8 +3000,22 @@
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Close {entity_name} tilt",
+ "open_entity_name_tilt": "Open {entity_name} tilt",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Set {entity_name} tilt position",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} is closed",
+ "entity_name_is_closing": "{entity_name} is closing",
+ "entity_name_is_opening": "{entity_name} is opening",
+ "current_entity_name_position_is": "Current {entity_name} position is",
+ "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
+ "entity_name_closed": "{entity_name} closed",
+ "entity_name_closing": "{entity_name} closing",
+ "entity_name_opening": "{entity_name} opening",
+ "entity_name_position_changes": "{entity_name} position changes",
+ "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
"entity_name_battery_is_low": "{entity_name} battery is low",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2692,7 +3024,6 @@
"entity_name_is_detecting_gas": "{entity_name} is detecting gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} is detecting light",
- "entity_name_is_locked": "{entity_name} is locked",
"entity_name_is_moist": "{entity_name} is moist",
"entity_name_is_detecting_motion": "{entity_name} is detecting motion",
"entity_name_is_moving": "{entity_name} is moving",
@@ -2710,11 +3041,9 @@
"entity_name_is_not_cold": "{entity_name} is not cold",
"entity_name_is_disconnected": "{entity_name} is disconnected",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} is unlocked",
"entity_name_is_dry": "{entity_name} is dry",
"entity_name_is_not_moving": "{entity_name} is not moving",
"entity_name_is_not_occupied": "{entity_name} is not occupied",
- "entity_name_is_closed": "{entity_name} is closed",
"entity_name_is_unplugged": "{entity_name} is unplugged",
"entity_name_is_not_powered": "{entity_name} is not powered",
"entity_name_is_not_present": "{entity_name} is not present",
@@ -2722,7 +3051,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} is occupied",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is plugged in",
"entity_name_is_powered": "{entity_name} is powered",
"entity_name_is_present": "{entity_name} is present",
@@ -2742,7 +3070,6 @@
"entity_name_started_detecting_gas": "{entity_name} started detecting gas",
"entity_name_became_hot": "{entity_name} became hot",
"entity_name_started_detecting_light": "{entity_name} started detecting light",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} started detecting motion",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2753,18 +3080,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} became not hot",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} closed",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
@@ -2772,7 +3096,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} plugged in",
"entity_name_powered": "{entity_name} powered",
"entity_name_present": "{entity_name} present",
@@ -2780,46 +3103,16 @@
"entity_name_started_running": "{entity_name} started running",
"entity_name_started_detecting_smoke": "{entity_name} started detecting smoke",
"entity_name_started_detecting_sound": "{entity_name} started detecting sound",
- "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
- "entity_name_became_unsafe": "{entity_name} became unsafe",
- "trigger_type_update": "{entity_name} got an update available",
- "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
- "entity_name_is_buffering": "{entity_name} is buffering",
- "entity_name_is_idle": "{entity_name} is idle",
- "entity_name_is_paused": "{entity_name} is paused",
- "entity_name_is_playing": "{entity_name} is playing",
- "entity_name_starts_buffering": "{entity_name} starts buffering",
- "entity_name_becomes_idle": "{entity_name} becomes idle",
- "entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} is home",
- "entity_name_is_not_home": "{entity_name} is not home",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
- "increase_entity_name_brightness": "Increase {entity_name} brightness",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Disarm {entity_name}",
- "trigger_entity_name": "Trigger {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} is disarmed",
- "entity_name_is_triggered": "{entity_name} is triggered",
- "entity_name_armed_away": "{entity_name} armed away",
- "entity_name_armed_home": "{entity_name} armed home",
- "entity_name_armed_night": "{entity_name} armed night",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} disarmed",
- "entity_name_triggered": "{entity_name} triggered",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
+ "entity_name_became_unsafe": "{entity_name} became unsafe",
+ "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
+ "entity_name_is_buffering": "{entity_name} is buffering",
+ "entity_name_is_idle": "{entity_name} is idle",
+ "entity_name_is_paused": "{entity_name} is paused",
+ "entity_name_is_playing": "{entity_name} is playing",
+ "entity_name_starts_buffering": "{entity_name} starts buffering",
+ "entity_name_becomes_idle": "{entity_name} becomes idle",
+ "entity_name_starts_playing": "{entity_name} starts playing",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2829,35 +3122,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Close {entity_name} tilt",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Open {entity_name} tilt",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Set {entity_name} tilt position",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} is closing",
- "entity_name_is_opening": "{entity_name} is opening",
- "current_entity_name_position_is": "Current {entity_name} position is",
- "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
- "entity_name_closing": "{entity_name} closing",
- "entity_name_opening": "{entity_name} opening",
- "entity_name_position_changes": "{entity_name} position changes",
- "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Both buttons",
"bottom_buttons": "Bottom buttons",
"seventh_button": "Seventh button",
@@ -2882,13 +3146,6 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} is cleaning",
- "entity_name_is_docked": "{entity_name} is docked",
- "entity_name_started_cleaning": "{entity_name} started cleaning",
- "entity_name_docked": "{entity_name} docked",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2899,29 +3156,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Disarm {entity_name}",
+ "trigger_entity_name": "Trigger {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} is disarmed",
+ "entity_name_is_triggered": "{entity_name} is triggered",
+ "entity_name_armed_away": "{entity_name} armed away",
+ "entity_name_armed_home": "{entity_name} armed home",
+ "entity_name_armed_night": "{entity_name} armed night",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} disarmed",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "Device dropped",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Device tilted",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3052,52 +3334,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3114,6 +3366,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3124,102 +3377,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3232,25 +3394,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3276,27 +3483,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3335,40 +3823,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3376,77 +3830,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3455,83 +3848,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/bs/bs.json b/packages/core/src/hooks/useLocale/locales/bs/bs.json
index 3e098fcb..1dfc6b06 100644
--- a/packages/core/src/hooks/useLocale/locales/bs/bs.json
+++ b/packages/core/src/hooks/useLocale/locales/bs/bs.json
@@ -241,7 +241,7 @@
"selector_options": "Selector Options",
"action": "Action",
"area": "Area",
- "attribute": "Atribut",
+ "attribute": "Attribute",
"boolean": "Boolean",
"condition": "Condition",
"date": "Date",
@@ -748,7 +748,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Kreiraj sigurnosnu kopiju prije ažuriranja",
"update_instructions": "Ažuriraj upute",
"current_activity": "Tekuća aktivnost",
- "status": "Status",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Komande za usisivač:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -867,7 +867,7 @@
"restart_home_assistant": "Restart Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Quick reload",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Reloading configuration",
"failed_to_reload_configuration": "Failed to reload configuration",
"restart_description": "Interrupts all running automations and scripts.",
@@ -895,8 +895,8 @@
"password": "Password",
"regex_pattern": "Regex pattern",
"used_for_client_side_validation": "Used for client-side validation",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Unosno polje",
"slider": "Slider",
"step_size": "Veličina koraka",
@@ -941,7 +941,7 @@
"ui_dialogs_zha_device_info_confirmations_remove": "Jeste li sigurni da želite ukloniti uređaj?",
"quirk": "Posebnost",
"last_seen": "Zadnji put viđen",
- "power_source": "Izvor napajanja",
+ "power_source": "Power source",
"change_device_name": "Promijeni naziv uređaja",
"device_debug_info": "{device} debug informacije",
"mqtt_device_debug_info_deserialize": "Pokušaj raščlanjivanja MQTT poruka kao JSON",
@@ -1207,7 +1207,7 @@
"ui_panel_lovelace_editor_edit_view_tab_badges": "Značke",
"card_configuration": "Konfiguracija kartice",
"type_card_configuration": "{type} Konfiguracija kartice",
- "edit_card_pick_card": "Koju karticu želite dodati?",
+ "edit_card_pick_card": "Which card would you like to add?",
"toggle_editor": "Toggle editor",
"you_have_unsaved_changes": "You have unsaved changes",
"edit_card_confirm_cancel": "Jeste li sigurni da želite odustati?",
@@ -1502,140 +1502,119 @@
"now": "Now",
"compare_data": "Uporedi podatke",
"reload_ui": "Ponovo učitaj korisničko sučelje",
- "tag": "Tags",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "tag": "Tags",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climate",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climate",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1664,6 +1643,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1689,31 +1669,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Next dawn",
- "next_dusk": "Next dusk",
- "next_midnight": "Next midnight",
- "next_noon": "Next noon",
- "next_rising": "Next rising",
- "next_setting": "Next setting",
- "solar_azimuth": "Solar azimuth",
- "solar_elevation": "Solar elevation",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1735,34 +1700,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Plugged in",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1836,6 +1843,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1886,7 +1894,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1903,6 +1910,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Next dawn",
+ "next_dusk": "Next dusk",
+ "next_midnight": "Next midnight",
+ "next_noon": "Next noon",
+ "next_rising": "Next rising",
+ "next_setting": "Next setting",
+ "solar_azimuth": "Solar azimuth",
+ "solar_elevation": "Solar elevation",
+ "solar_rising": "Solar rising",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1922,73 +1972,251 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Plugged in",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Paused",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -2021,84 +2249,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Current humidity",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Current action",
- "cooling": "Cooling",
- "defrosting": "Defrosting",
- "drying": "Drying",
- "heating": "Heating",
- "preheating": "Preheating",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Both",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Not charging",
- "disconnected": "Disconnected",
- "connected": "Connected",
- "hot": "Hot",
- "no_light": "No light",
- "light_detected": "Light detected",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "Not moving",
- "unplugged": "Unplugged",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Above horizon",
- "below_horizon": "Below horizon",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2114,13 +2270,36 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "available_tones": "Available tones",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Clear, night",
"cloudy": "Cloudy",
"exceptional": "Exceptional",
@@ -2143,26 +2322,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "disarming": "Disarming",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2171,65 +2333,112 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locked": "Locked",
+ "locking": "Locking",
+ "unlocked": "Unlocked",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Current humidity",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Current action",
+ "cooling": "Cooling",
+ "defrosting": "Defrosting",
+ "drying": "Drying",
+ "heating": "Heating",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Both",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Not charging",
+ "disconnected": "Disconnected",
+ "connected": "Connected",
+ "hot": "Hot",
+ "no_light": "No light",
+ "light_detected": "Light detected",
+ "not_moving": "Not moving",
+ "unplugged": "Unplugged",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Above horizon",
+ "below_horizon": "Below horizon",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Disarming",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2240,27 +2449,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2268,68 +2479,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2356,48 +2526,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Bridge is already configured",
- "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Couldn't get an API key",
- "link_with_deconz": "Link with deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Chybějící MAC adresa ve vlastnostech MDNS.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2405,130 +2574,163 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Chybějící MAC adresa ve vlastnostech MDNS.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "Bridge is already configured",
+ "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Couldn't get an API key",
+ "link_with_deconz": "Link with deCONZ",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Enable birth message",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Enable will message",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
"data_use_st_channel_info": "Use SmartThings TV Channels information",
"data_show_channel_number": "Use SmartThings TV Channels number information",
"data_app_load_method": "Applications list load mode at startup",
@@ -2554,28 +2756,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Enable birth message",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Enable will message",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2583,26 +2763,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2697,6 +2962,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
+ "increase_entity_name_brightness": "Increase {entity_name} brightness",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "First button",
+ "second_button": "Second button",
+ "third_button": "Third button",
+ "fourth_button": "Fourth button",
+ "fifth_button": "Fifth button",
+ "sixth_button": "Sixth button",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} is home",
+ "entity_name_is_not_home": "{entity_name} is not home",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} is cleaning",
+ "entity_name_is_docked": "{entity_name} is docked",
+ "entity_name_started_cleaning": "{entity_name} started cleaning",
+ "entity_name_docked": "{entity_name} docked",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} is locked",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is unlocked",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opened",
+ "entity_name_unlocked": "{entity_name} unlocked",
"action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
"change_preset_on_entity_name": "Change preset on {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2704,8 +3022,22 @@
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Close {entity_name} tilt",
+ "open_entity_name_tilt": "Open {entity_name} tilt",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Set {entity_name} tilt position",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} is closed",
+ "entity_name_is_closing": "{entity_name} is closing",
+ "entity_name_is_opening": "{entity_name} is opening",
+ "current_entity_name_position_is": "Current {entity_name} position is",
+ "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
+ "entity_name_closed": "{entity_name} closed",
+ "entity_name_closing": "{entity_name} closing",
+ "entity_name_opening": "{entity_name} opening",
+ "entity_name_position_changes": "{entity_name} position changes",
+ "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
"entity_name_battery_is_low": "{entity_name} battery is low",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2714,7 +3046,6 @@
"entity_name_is_detecting_gas": "{entity_name} is detecting gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} is detecting light",
- "entity_name_is_locked": "{entity_name} is locked",
"entity_name_is_moist": "{entity_name} is moist",
"entity_name_is_detecting_motion": "{entity_name} is detecting motion",
"entity_name_is_moving": "{entity_name} is moving",
@@ -2732,11 +3063,9 @@
"entity_name_is_not_cold": "{entity_name} is not cold",
"entity_name_is_disconnected": "{entity_name} is disconnected",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} is unlocked",
"entity_name_is_dry": "{entity_name} is dry",
"entity_name_is_not_moving": "{entity_name} is not moving",
"entity_name_is_not_occupied": "{entity_name} is not occupied",
- "entity_name_is_closed": "{entity_name} is closed",
"entity_name_is_unplugged": "{entity_name} is unplugged",
"entity_name_is_not_powered": "{entity_name} is not powered",
"entity_name_is_not_present": "{entity_name} is not present",
@@ -2744,7 +3073,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} is occupied",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is plugged in",
"entity_name_is_powered": "{entity_name} is powered",
"entity_name_is_present": "{entity_name} is present",
@@ -2764,7 +3092,6 @@
"entity_name_started_detecting_gas": "{entity_name} started detecting gas",
"entity_name_became_hot": "{entity_name} became hot",
"entity_name_started_detecting_light": "{entity_name} started detecting light",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} started detecting motion",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2775,18 +3102,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} became not hot",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} closed",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
@@ -2794,7 +3118,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} plugged in",
"entity_name_powered": "{entity_name} powered",
"entity_name_present": "{entity_name} present",
@@ -2802,46 +3125,16 @@
"entity_name_started_running": "{entity_name} started running",
"entity_name_started_detecting_smoke": "{entity_name} started detecting smoke",
"entity_name_started_detecting_sound": "{entity_name} started detecting sound",
- "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
- "entity_name_became_unsafe": "{entity_name} became unsafe",
- "trigger_type_update": "{entity_name} got an update available",
- "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
- "entity_name_is_buffering": "{entity_name} is buffering",
- "entity_name_is_idle": "{entity_name} is idle",
- "entity_name_is_paused": "{entity_name} is paused",
- "entity_name_is_playing": "{entity_name} is playing",
- "entity_name_starts_buffering": "{entity_name} starts buffering",
- "entity_name_becomes_idle": "{entity_name} becomes idle",
- "entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} is home",
- "entity_name_is_not_home": "{entity_name} is not home",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
- "increase_entity_name_brightness": "Increase {entity_name} brightness",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Disarm {entity_name}",
- "trigger_entity_name": "Trigger {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} is disarmed",
- "entity_name_is_triggered": "{entity_name} is triggered",
- "entity_name_armed_away": "{entity_name} armed away",
- "entity_name_armed_home": "{entity_name} armed home",
- "entity_name_armed_night": "{entity_name} armed night",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} disarmed",
- "entity_name_triggered": "{entity_name} triggered",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
+ "entity_name_became_unsafe": "{entity_name} became unsafe",
+ "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
+ "entity_name_is_buffering": "{entity_name} is buffering",
+ "entity_name_is_idle": "{entity_name} is idle",
+ "entity_name_is_paused": "{entity_name} is paused",
+ "entity_name_is_playing": "{entity_name} is playing",
+ "entity_name_starts_buffering": "{entity_name} starts buffering",
+ "entity_name_becomes_idle": "{entity_name} becomes idle",
+ "entity_name_starts_playing": "{entity_name} starts playing",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2851,35 +3144,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Close {entity_name} tilt",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Open {entity_name} tilt",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Set {entity_name} tilt position",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} is closing",
- "entity_name_is_opening": "{entity_name} is opening",
- "current_entity_name_position_is": "Current {entity_name} position is",
- "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
- "entity_name_closing": "{entity_name} closing",
- "entity_name_opening": "{entity_name} opening",
- "entity_name_position_changes": "{entity_name} position changes",
- "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Both buttons",
"bottom_buttons": "Bottom buttons",
"seventh_button": "Seventh button",
@@ -2904,13 +3168,6 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} is cleaning",
- "entity_name_is_docked": "{entity_name} is docked",
- "entity_name_started_cleaning": "{entity_name} started cleaning",
- "entity_name_docked": "{entity_name} docked",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2921,29 +3178,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Disarm {entity_name}",
+ "trigger_entity_name": "Trigger {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} is disarmed",
+ "entity_name_is_triggered": "{entity_name} is triggered",
+ "entity_name_armed_away": "{entity_name} armed away",
+ "entity_name_armed_home": "{entity_name} armed home",
+ "entity_name_armed_night": "{entity_name} armed night",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} disarmed",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "Device dropped",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Device tilted",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3074,52 +3356,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3136,6 +3388,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3146,102 +3399,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3254,25 +3416,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3298,27 +3505,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3357,40 +3845,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3398,77 +3852,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3477,83 +3870,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/ca/ca.json b/packages/core/src/hooks/useLocale/locales/ca/ca.json
index 262cf8a4..7b867aa9 100644
--- a/packages/core/src/hooks/useLocale/locales/ca/ca.json
+++ b/packages/core/src/hooks/useLocale/locales/ca/ca.json
@@ -53,7 +53,7 @@
"area_not_found": "No s'ha trobat l'àrea.",
"last_triggered": "Disparat per última vegada",
"run_actions": "Executa accions",
- "press": "Press",
+ "press": "Prem",
"image_not_available": "Imatge no disponible",
"currently": "Actual",
"on_off": "ON/OFF",
@@ -69,8 +69,8 @@
"action_to_target": "{action} fins a l'objectiu",
"target": "Target",
"humidity_target": "Humitat objectiu",
- "increment": "Increment",
- "decrement": "Decrement",
+ "dim_up": "Incrementa",
+ "decrement": "Disminueix",
"reset": "Reinicialitzar",
"position": "Posició",
"tilt_position": "Tilt position",
@@ -86,7 +86,7 @@
"reverse": "Reverse",
"mild": "Mitjà",
"target_humidity": "Humitat objectiu.",
- "state": "Estat",
+ "state": "State",
"name_current_humidity": "Humitat actual: {name}",
"name_humidifying": "{name} humidificant",
"name_drying": "{name} assecant",
@@ -138,7 +138,7 @@
"option": "Opció",
"installing": "Instal·lant",
"installing_progress": "S'està instal·lant ({progress}%)",
- "up_to_date": "Actualitzat",
+ "up_to_date": "Actualitzat/da",
"empty_value": "(valor buit)",
"start": "Inicia",
"finish": "Finalitza",
@@ -200,7 +200,7 @@
"save": "Desa",
"add": "Afegeix",
"create": "Crea",
- "edit": "Editar",
+ "edit": "Edita",
"submit": "Envia",
"rename": "Canvia el nom",
"search": "Search",
@@ -262,6 +262,7 @@
"learn_more_about_templating": "Més informació sobre les plantilles.",
"show_password": "Mostra la contrasenya",
"hide_password": "Amaga la contrasenya",
+ "ui_components_selectors_background_yaml_info": "La imatge de fons s'ha configurat mitjançant l'editor YAML.",
"no_logbook_events_found": "No s'han trobat esdeveniments registrats.",
"triggered_by": "disparat per",
"triggered_by_automation": "disparat per l'automatització",
@@ -279,7 +280,7 @@
"was_detected_away": "s'ha detectat fora",
"was_detected_at_state": "s'ha detectat a {state}",
"rose": "ha sortit",
- "set": "Set",
+ "set": "Estableix",
"was_low": "és baix/a",
"was_normal": "és normal",
"was_connected": "s'ha connectat",
@@ -349,7 +350,7 @@
"conversation_agent": "Agent de conversa",
"none": "Cap",
"country": "País",
- "assistant": "Xarxa d'Assist",
+ "assistant": "Assistant",
"preferred_assistant_preferred": "Assistent preferit ({preferred})",
"last_used_assistant": "Últim assistent utilitzat",
"no_theme": "Sense tema",
@@ -464,7 +465,7 @@
"black": "Negre",
"white": "Blanc",
"ui_components_color_picker_default_color": "Color predeterminat (estat)",
- "start_date": "Data inici",
+ "start_date": "Data d'inici",
"end_date": "Data final",
"select_time_period": "Selecciona el període de temps",
"today": "Avui",
@@ -642,8 +643,9 @@
"line_line_column_column": "línia: {line}, columna: {column}",
"last_changed": "Últim canvi",
"last_updated": "Última actualització",
- "remaining_time": "Temps restant",
+ "time_left": "Temps restant",
"install_status": "Estat de la instal·lació",
+ "ui_components_multi_textfield_add_item": "Afegeix {item}",
"safe_mode": "Mode segur",
"all_yaml_configuration": "Tota la configuració YAML",
"domain": "Domini",
@@ -747,6 +749,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Crea una còpia de seguretat abans d'actualitzar",
"update_instructions": "Instruccions d'actualització",
"current_activity": "Activitat actual",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Comandes de l'aspirador:",
"fan_speed": "Velocitat del ventilador",
"clean_spot": "Clean spot",
@@ -781,7 +784,7 @@
"default_code": "Codi predeterminat",
"editor_default_code_error": "El codi no coincideix amb el format correcte",
"entity_id": "ID d'entitat",
- "unit_of_measurement": "Unitat de mesura",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "Unitat de precipitació",
"display_precision": "Precisió de visualització",
"default_value": "Per defecte ({value})",
@@ -802,7 +805,7 @@
"cold": "Fred",
"connectivity": "Connectivitat",
"gas": "Gas",
- "hot": "Calent",
+ "heat": "Escalfar",
"light": "Llum",
"motion": "Moviment",
"moving": "En moviment",
@@ -861,7 +864,7 @@
"restart_home_assistant": "Reiniciar Home Assistant?",
"advanced_options": "Opcions avançades",
"quick_reload": "Recàrrega ràpida",
- "reload_description": "Recarrega tots els programes disponibles.",
+ "reload_description": "Recarrega els temporitzadors des de la configuració YAML.",
"reloading_configuration": "Tornant a carregar la configuració",
"failed_to_reload_configuration": "No s'ha pogut carregar la configuració",
"restart_description": "Interromp totes les automatitzacions i 'scripts'.",
@@ -888,8 +891,8 @@
"password": "Contrasenya",
"regex_pattern": "Patró Regex",
"used_for_client_side_validation": "S'utilitza per a la validació per part del client",
- "minimum_value": "Valor mínim",
- "maximum_value": "Valor màxim",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Camp d'entrada",
"slider": "Barra lliscant",
"step_size": "Mida del pas",
@@ -928,7 +931,7 @@
"zigbee_device_children": "Dispositiu Zigbee fill",
"buttons_add": "Afegeix dispositius a través d'aquest dispositiu",
"reconfigure": "Reconfigura",
- "view_network": "Veure xarxa",
+ "view_network": "Mostra la xarxa",
"services_remove": "Elimina un dispositiu de la xarxa Zigbee.",
"services_zigbee_information": "Consulta la informació Zigbee del dispositiu.",
"ui_dialogs_zha_device_info_confirmations_remove": "Estàs segur que vols eliminar el dispositiu?",
@@ -966,7 +969,7 @@
"detected_untrusted_content": "S'ha detectat algun contingut que no és de confiança",
"join_the_beta_channel": "Uneix-te al canal beta",
"join_beta_channel_release_items": "Això inclou les versions beta de:",
- "view_documentation": "Veure documentació",
+ "view_documentation": "Mostra la documentació",
"join": "Join",
"enter_code": "Introdueix codi",
"try_text_to_speech": "Prova el text-a-veu",
@@ -1025,7 +1028,7 @@
"check_the_observer": "Comprova l'observador.",
"check_the_system_health": "Comprova l'estat del sistema.",
"remember": "Recordar",
- "log_in": "Iniciar sessió",
+ "log_in": "Inicia sessió",
"notification_drawer_click_to_configure": "Prem el botó per configurar {entity}",
"no_notifications": "No hi ha notificacions",
"notifications": "Notificacions",
@@ -1067,7 +1070,7 @@
"actions_no_action": "No s'ha especificat cap acció a executar",
"ui_panel_lovelace_cards_actions_no_service": "No s'ha especificat cap servei a executar",
"welcome_home": "Benvingut/da a casa",
- "empty_state_go_to_integrations_page": "Vés a la pàgina d'integracions.",
+ "empty_state_go_to_integrations_page": "Ves a la pàgina d'integracions.",
"never_triggered": "Mai disparada",
"active": "Actiu",
"todo_list_no_unchecked_items": "No tens elements a la llista de tasques!",
@@ -1119,7 +1122,7 @@
"aqua": "Aigua",
"solar": "Solar",
"low_carbon": "Baix en carboni",
- "energy_distribution_go_to_energy_dashboard": "Vés al panell d'energia",
+ "energy_distribution_go_to_energy_dashboard": "Ves al panell d'energia",
"energy_usage": "Ús d’energia",
"previous_energy_usage": "Consum d'energia anterior",
"untracked_consumption": "Consum sense seguiment",
@@ -1140,7 +1143,7 @@
"entity_search": "Cerca d'entitats",
"reload_resources": "Reload resources",
"reload_resources_refresh_header": "Vols actualitzar?",
- "edit_ui": "Editar la interfície d'usuari (UI)",
+ "edit_ui": "Edita la interfície d'usuari (UI)",
"open_dashboard_menu": "Obre el menú del panell",
"raw_configuration_editor": "Editor de codi",
"manage_dashboards": "Gestiona els panells",
@@ -1165,6 +1168,7 @@
"background_image": "Imatge del fons",
"background_size": "Mida del fons",
"original": "Original",
+ "fill_view": "Omple la visualització",
"fit_view": "Ajusta a la visualització",
"background_alignment": "Alineació del fons",
"top_left": "A dalt a l'esquerra",
@@ -1184,7 +1188,7 @@
"fixed": "Fix",
"ui_panel_lovelace_editor_edit_view_background_title": "Afegeix un fons a la visualització",
"ui_panel_lovelace_editor_edit_view_background_transparency": "Transparència del fons",
- "edit_view": "Editar visualització",
+ "edit_view": "Edita la visualització",
"move_view_left": "Desplaça la visualització cap a l'esquerra",
"move_view_right": "Desplaça la visualització cap a la dreta",
"background": "Fons",
@@ -1209,7 +1213,7 @@
"ui_panel_lovelace_editor_edit_view_type_helper_sections": "No pots canviar la visualització perquè utilitzi 'seccions' perquè la migració encara no està disponible. Comença des de zero amb una visualització nova si vols experimentar amb la visualització amb 'seccions'.",
"card_configuration": "Configuració de la targeta",
"type_card_configuration": "Configuració de la targeta {type}",
- "edit_card_pick_card": "Quina targeta vols afegir?",
+ "edit_card_pick_card": "Which card would you like to add?",
"toggle_editor": "Commuta l'editor",
"you_have_unsaved_changes": "Hi ha canvis no desats",
"edit_card_confirm_cancel": "Segur que vols cancel·lar?",
@@ -1408,6 +1412,11 @@
"show_more_detail": "Mostra més detalls",
"to_do_list": "Llista de tasques",
"hide_completed_items": "Amaga els elements completats",
+ "ui_panel_lovelace_editor_card_todo_list_display_order": "Ordre de visualització",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc": "Alfabètic (A-Z)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_desc": "Alfabètic (Z-A)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc": "Data de venciment (més propera primera)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc": "Data de venciment (última primera)",
"thermostat": "Termòstat",
"thermostat_show_current_as_primary": "Mostra la temperatura actual com a informació principal",
"tile": "Peça",
@@ -1417,6 +1426,7 @@
"hide_state": "Amaga l'estat",
"ui_panel_lovelace_editor_card_tile_actions": "Accions",
"ui_panel_lovelace_editor_card_tile_default_color": "Color per defecte (estat)",
+ "ui_panel_lovelace_editor_card_tile_state_content_options_state": "Estat",
"vertical_stack": "Pila vertical",
"weather_forecast": "Previsió meteorològica",
"weather_to_show": "Temps a mostrar",
@@ -1515,140 +1525,119 @@
"now": "Ara",
"compare_data": "Compara dades",
"reload_ui": "Actualiza la interfície d'usuari",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Entrada booleana",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
+ "home_assistant_api": "Home Assistant API",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
"tag": "Tag",
- "input_datetime": "Entrada de data i hora",
- "solis_inverter": "Solis Inverter",
+ "media_source": "Media Source",
+ "mobile_app": "Aplicació mòbil",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnòstics",
+ "filesize": "Mida de fitxer",
+ "group": "Grup",
+ "binary_sensor": "Sensor binari",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Entrada de selecció",
+ "device_automation": "Device Automation",
+ "person": "Persona",
+ "input_button": "Entrada de botó",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Registrador",
+ "script": "Programa (script)",
+ "fan": "Ventilació",
"scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Temporitzador",
- "local_calendar": "Calendari local",
- "intent": "Intent",
- "device_tracker": "Seguiment de dispositiu",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
- "home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
- "fan": "Ventilador",
- "weather": "Temps",
- "camera": "Càmera",
"schedule": "Horari",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Temps",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversa",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Entrada de text",
- "valve": "Vàlvula",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climatització",
- "binary_sensor": "Sensor binari",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "system_log": "System Log",
+ "cover": "Coberta",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Vàlvula",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Coberta",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Calendari local",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Sirena",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Tallagespa",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zona",
- "auth": "Auth",
- "event": "Esdeveniment",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Seguiment de dispositiu",
+ "remote": "Comandament",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Interruptor",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Aspirador",
+ "reolink": "Reolink",
+ "camera": "Càmera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Comandament",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Comptador numèric",
- "filesize": "Mida de fitxer",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Comprovador de font d'alimentació de Raspberry Pi",
+ "conversation": "Conversa",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climatització",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Entrada booleana",
- "lawn_mower": "Tallagespa",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Esdeveniment",
+ "zone": "Zona",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Panell de control d'alarma",
- "input_select": "Entrada de selecció",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Aplicació mòbil",
+ "timer": "Temporitzador",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Interruptor",
+ "input_datetime": "Entrada de data i hora",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Comptador numèric",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Credencials de l'aplicació",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Grup",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnòstics",
- "person": "Persona",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Entrada de text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Credencials de l'aplicació",
- "siren": "Sirena",
- "bluetooth": "Bluetooth",
- "logger": "Registrador",
- "input_button": "Entrada de botó",
- "vacuum": "Aspirador",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Comprovador de font d'alimentació de Raspberry Pi",
- "assist_satellite": "Assist satellite",
- "script": "Programa (script)",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Nivell de bateria",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1677,6 +1666,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Apagat automàtic a les",
"available_firmware_version": "Versió de microprogramari disponible",
+ "battery_level": "Nivell de bateria",
"this_month_s_consumption": "Consum d'aquest mes",
"today_s_consumption": "Consum d'avui",
"total_consumption": "Consum total",
@@ -1702,31 +1692,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Transicions suaus",
"tamper_detection": "Tamper detection",
- "next_dawn": "Pròxima alba",
- "next_dusk": "Pròxim capvespre",
- "next_midnight": "Pròxima mitjanit",
- "next_noon": "Pròxim migdia",
- "next_rising": "Següent sortida de sol",
- "next_setting": "Següent posta de sol",
- "solar_azimuth": "Azimut solar",
- "solar_elevation": "Elevació del sol",
- "solar_rising": "Sortida del sol",
- "day_of_week": "Dia de la setmana",
- "illuminance": "Il·luminació",
- "noise": "Soroll",
- "overload": "Sobrecàrrega",
- "working_location": "Lloc de treball",
- "created": "Created",
- "size": "Mida",
- "size_in_bytes": "Mida en bytes",
- "compressor_energy_consumption": "Consum d'energia del compressor",
- "compressor_estimated_power_consumption": "Consum de potència estimat del compressor",
- "compressor_frequency": "Freqüència del compressor",
- "cool_energy_consumption": "Consum d'energia per fred",
- "energy_consumption": "Consum d'energia",
- "heat_energy_consumption": "Consum d'energia tèrmica",
- "inside_temperature": "Temperatura interior",
- "outside_temperature": "Temperatura exterior",
+ "calibration": "Calibració",
+ "auto_lock_paused": "Bloqueig automàtic en pausa",
+ "timeout": "Temps d'espera",
+ "unclosed_alarm": "Alarma no tancada",
+ "unlocked_alarm": "Alarma desbloquejada",
+ "bluetooth_signal": "Senyal Bluetooth",
+ "light_level": "Nivell de llum",
+ "wi_fi_signal": "Senyal Wi-Fi",
+ "momentary": "Momentani",
+ "pull_retract": "Estirar/retreure",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1748,34 +1723,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assistent en curs",
- "preferred": "Preferit",
- "finished_speaking_detection": "Detecció de finalització de veu",
- "aggressive": "Agressiu",
- "relaxed": "Relaxat",
- "os_agent_version": "Versió de l'agent del SO",
- "apparmor_version": "Versió d'Apparmor",
- "cpu_percent": "Percentatge de CPU",
- "disk_free": "Disc lliure",
- "disk_total": "Total del disc",
- "disk_used": "Disc utilitzat",
- "memory_percent": "Percentatge de memòria",
- "version": "Versió",
- "newest_version": "Versió més recent",
+ "day_of_week": "Dia de la setmana",
+ "illuminance": "Il·luminació",
+ "noise": "Soroll",
+ "overload": "Sobrecàrrega",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Sincronitza dispositius",
- "estimated_distance": "Distància estimada",
- "vendor": "Venedor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Guany automàtic",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Volum del timbre",
"mic_volume": "Volum del micròfon",
- "noise_suppression_level": "Nivell de supressió de soroll",
- "off": "OFF",
- "mute": "Mute",
+ "voice_volume": "Volum de veu",
+ "last_activity": "Última activitat",
+ "last_ding": "Última trucada",
+ "last_motion": "Última detecció de moviment",
+ "wi_fi_signal_category": "Categoria del senyal Wi-Fi",
+ "wi_fi_signal_strength": "Potència del senyal Wi-Fi",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Consum d'energia del compressor",
+ "compressor_estimated_power_consumption": "Consum de potència estimat del compressor",
+ "compressor_frequency": "Freqüència del compressor",
+ "cool_energy_consumption": "Consum d'energia per fred",
+ "energy_consumption": "Consum d'energia",
+ "heat_energy_consumption": "Consum d'energia tèrmica",
+ "inside_temperature": "Temperatura interior",
+ "outside_temperature": "Temperatura exterior",
+ "device_admin": "Administrador del dispositiu",
+ "kiosk_mode": "Mode quiosc",
+ "plugged_in": "Endollat",
+ "load_start_url": "Carrega l'URL d'inici",
+ "restart_browser": "Reinicia el navegador",
+ "restart_device": "Restart device",
+ "send_to_background": "Posa-ho en segon pla",
+ "bring_to_foreground": "Porta-ho al primer pla",
+ "screenshot": "Captura de pantalla",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Lluminositat de la pantalla",
+ "screen_off_timer": "Temporitzador d'apagat de pantalla",
+ "screensaver_brightness": "Lluminositat de l'estalvi de pantalla",
+ "screensaver_timer": "Temporitzador de l'estalvi de pantalla",
+ "current_page": "Pàgina actual",
+ "foreground_app": "Aplicació en primer pla",
+ "internal_storage_free_space": "Espai intern lliure",
+ "internal_storage_total_space": "Espai intern total",
+ "free_memory": "Memòria disponible",
+ "total_memory": "Memòria total",
+ "screen_orientation": "Orientació de la pantalla",
+ "kiosk_lock": "Bloqueig de quiosc",
+ "maintenance_mode": "Mode de manteniment",
+ "screensaver": "Estalvi de pantalla",
"animal": "Animal",
"detected": "Detectat",
"animal_lens": "Lent d'animals 1",
@@ -1845,10 +1862,11 @@
"image_saturation": "Saturació de la imatge",
"image_sharpness": "Nitidesa de la imatge",
"message_volume": "Volum dels missatges",
- "motion_sensitivity": "Sensibilitat del moviment",
+ "motion_sensitivity": "Sensibilitat de moviment",
"pir_sensitivity": "Sensibilitat del PIR",
"zoom": "Zoom",
"auto_quick_reply_message": "Missatge de resposta ràpida automàtic",
+ "off": "Apagat",
"auto_track_method": "Mètode de seguiment automàtic",
"digital": "Digital",
"digital_first": "Digital, primer",
@@ -1899,7 +1917,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "Emmagatzematge SD {hdd_index}",
- "wi_fi_signal": "Senyal Wi-Fi",
"auto_focus": "Enfocament automàtic",
"auto_tracking": "Seguiment automàtic",
"doorbell_button_sound": "So del botó del timbre",
@@ -1916,6 +1933,49 @@
"record": "Enregistra",
"record_audio": "Enregistra àudio",
"siren_on_event": "Sirena en rebre esdeveniment",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Mida",
+ "size_in_bytes": "Mida en bytes",
+ "assist_in_progress": "Assistent en curs",
+ "quiet": "Quiet",
+ "preferred": "Preferit",
+ "finished_speaking_detection": "Detecció de finalització de veu",
+ "aggressive": "Agressiu",
+ "relaxed": "Relaxat",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "Versió de l'agent del SO",
+ "apparmor_version": "Versió d'Apparmor",
+ "cpu_percent": "Percentatge de CPU",
+ "disk_free": "Disc lliure",
+ "disk_total": "Total del disc",
+ "disk_used": "Disc utilitzat",
+ "memory_percent": "Percentatge de memòria",
+ "version": "Versió",
+ "newest_version": "Versió més recent",
+ "auto_gain": "Guany automàtic",
+ "noise_suppression_level": "Nivell de supressió de soroll",
+ "mute": "Mute",
+ "bytes_received": "Bytes rebuts",
+ "server_country": "País del servidor",
+ "server_id": "ID del servidor",
+ "server_name": "Nom del servidor",
+ "ping": "Ping",
+ "upload": "Pujada",
+ "bytes_sent": "Bytes enviats",
+ "working_location": "Lloc de treball",
+ "next_dawn": "Pròxima alba",
+ "next_dusk": "Pròxim capvespre",
+ "next_midnight": "Pròxima mitjanit",
+ "next_noon": "Pròxim migdia",
+ "next_rising": "Següent sortida de sol",
+ "next_setting": "Següent posta de sol",
+ "solar_azimuth": "Azimut solar",
+ "solar_elevation": "Elevació del sol",
+ "solar_rising": "Sortida del sol",
"button_down": "Botó avall",
"button_up": "Botó amunt",
"double_push": "Clicat dues vegades",
@@ -1931,71 +1991,249 @@
"closing": "Tancant",
"failure": "Fallada",
"opened": "Oberta",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Volum del timbre",
- "voice_volume": "Volum de veu",
- "last_activity": "Última activitat",
- "last_ding": "Última trucada",
- "last_motion": "Última detecció de moviment",
- "wi_fi_signal_category": "Categoria del senyal Wi-Fi",
- "wi_fi_signal_strength": "Potència del senyal Wi-Fi",
- "in_home_chime": "In-home chime",
- "calibration": "Calibració",
- "auto_lock_paused": "Bloqueig automàtic en pausa",
- "timeout": "Temps d'espera",
- "unclosed_alarm": "Alarma no tancada",
- "unlocked_alarm": "Alarma desbloquejada",
- "bluetooth_signal": "Senyal Bluetooth",
- "light_level": "Nivell de llum",
- "momentary": "Momentani",
- "pull_retract": "Estirar/retreure",
- "bytes_received": "Bytes rebuts",
- "server_country": "País del servidor",
- "server_id": "ID del servidor",
- "server_name": "Nom del servidor",
- "ping": "Ping",
- "upload": "Pujada",
- "bytes_sent": "Bytes enviats",
- "device_admin": "Administrador del dispositiu",
- "kiosk_mode": "Mode quiosc",
- "plugged_in": "Endollat",
- "load_start_url": "Carrega l'URL d'inici",
- "restart_browser": "Reinicia el navegador",
- "restart_device": "Reinicia el dispositiu",
- "send_to_background": "Posa-ho en segon pla",
- "bring_to_foreground": "Porta-ho al primer pla",
- "screenshot": "Captura de pantalla",
- "overlay_message": "Overlay message",
- "screen_brightness": "Lluminositat de la pantalla",
- "screen_off_timer": "Temporitzador d'apagat de pantalla",
- "screensaver_brightness": "Lluminositat de l'estalvi de pantalla",
- "screensaver_timer": "Temporitzador de l'estalvi de pantalla",
- "current_page": "Pàgina actual",
- "foreground_app": "Aplicació en primer pla",
- "internal_storage_free_space": "Espai intern lliure",
- "internal_storage_total_space": "Espai intern total",
- "free_memory": "Memòria disponible",
- "total_memory": "Memòria total",
- "screen_orientation": "Orientació de la pantalla",
- "kiosk_lock": "Bloqueig de quiosc",
- "maintenance_mode": "Mode de manteniment",
- "screensaver": "Estalvi de pantalla",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "ID de l'etiqueta",
- "managed_via_ui": "Gestionat mitjançant la Interfície d'Usuari (IU)",
- "pattern": "Patró",
- "minute": "Minut",
- "second": "Segon",
- "timestamp": "Marca de temps",
- "stopped": "Aturada",
+ "estimated_distance": "Distància estimada",
+ "vendor": "Venedor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrat",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "Sensor extern",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "zona IAS",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Autotest",
+ "keen_vent": "Keen vent",
+ "fan_group": "Grup de ventiladors",
+ "light_group": "Grup de llums",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Distància d'aproximació",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Temperatura preconfigurada de mode a fora",
+ "boost_amount": "Boost amount",
+ "button_delay": "Retard del botó",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Color predeterminat de tots els LEDs apagats",
+ "led_color_when_on_name": "Color predeterminat de tots els LEDs encesos",
+ "led_intensity_when_off_name": "Intensitat predeterminada de tots els LEDs apagats",
+ "led_intensity_when_on_name": "Intensitat predeterminada de tots els LEDs encesos",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Durada del temporitzador",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Potència de transmissió",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Mode desacoblat",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Distància de detecció",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Mode monitoratge",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Tipus d'interruptor",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Mode cortina",
+ "ac_frequency": "Freqüència CA",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "En curs",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Entrada analògica",
+ "control_status": "Control status",
+ "device_run_time": "Temps d'execució del dispositiu",
+ "device_temperature": "Temperatura del dispositiu",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Concentració de formaldehid",
+ "hooks_state": "Hooks state",
+ "hvac_action": "Acció HVAC",
+ "instantaneous_demand": "Demanda instantània",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Quantitat última alimentació",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Densitat de fum",
+ "software_error": "Error de programari",
+ "good": "Bé",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Humitat del sòl",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Desactiva LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "LED de progrés de microprogramari",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Invertit",
+ "led_indicator": "Indicador LED",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Protecció local",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Mode només 1 LED",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Mode bombeta intel·ligent",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Tons disponibles",
"device_trackers": "Seguidors de dispositius",
"gps_accuracy": "Precisió del GPS",
- "paused": "Pausat/ada",
- "finishes_at": "S'acaba a les",
- "remaining": "Restant",
- "restore": "Restaura",
"last_reset": "Últim reinici",
"possible_states": "Possibles estats",
"state_class": "Classe d'estat",
@@ -2027,81 +2265,12 @@
"sound_pressure": "Pressió sonora",
"speed": "Speed",
"sulphur_dioxide": "Diòxid de sofre",
+ "timestamp": "Marca de temps",
"vocs": "COVs",
"volume_flow_rate": "Cabal volumètric",
"stored_volume": "Volum acumulat",
"weight": "Pes",
- "cool": "Refredar",
- "fan_only": "Només el ventilador",
- "heat_cool": "Escalfar/refredar",
- "aux_heat": "Escalfador auxiliar",
- "current_humidity": "Humitat actual",
- "current_temperature": "Current Temperature",
- "fan_mode": "Mode del ventilador",
- "diffuse": "Difús",
- "middle": "Mig",
- "top": "Superior",
- "current_action": "Acció actual",
- "cooling": "Refredant",
- "defrosting": "Descongelant",
- "drying": "Assecant",
- "heating": "Escalfant",
- "preheating": "Preescalfant",
- "max_target_humidity": "Humitat objectiu màxima",
- "max_target_temperature": "Temperatura objectiu màxima",
- "min_target_humidity": "Humitat objectiu mínima",
- "min_target_temperature": "Temperatura objectiu mínima",
- "boost": "Incrementat",
- "comfort": "Confort",
- "eco": "Econòmic",
- "sleep": "Dormir",
- "presets": "Preconfiguracions",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Mode oscil·lació",
- "both": "Ambdós",
- "horizontal": "Horitzontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Pas de la temperatura objectiu",
- "step": "Pas",
- "not_charging": "No carregant",
- "disconnected": "Desconnectat",
- "connected": "Connectat",
- "no_light": "Sense llum",
- "light_detected": "Llum detectada",
- "locked": "Bloquejat",
- "unlocked": "Desbloquejat",
- "not_moving": "Parat",
- "unplugged": "Desendollat",
- "not_running": "Aturat",
- "safe": "Segur",
- "unsafe": "Insegur",
- "tampering_detected": "Manipulació detectada",
- "box": "Casella",
- "above_horizon": "Sobre l'horitzó",
- "below_horizon": "Sota l'horitzó",
- "playing": "Reproduint",
- "standby": "En espera",
- "app_id": "ID d'aplicació",
- "local_accessible_entity_picture": "Imatge local accessible de l'entitat",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Artista de l'àlbum",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Canals",
- "position_updated": "Posició actualitzada",
- "series": "Sèrie",
- "all": "Tots",
- "one": "Una vegada",
- "available_sound_modes": "Modes de so disponibles",
- "available_sources": "Fonts disponibles",
- "receiver": "Receptor",
- "speaker": "Altaveu",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Encaminador (router)",
+ "managed_via_ui": "Gestionat mitjançant la Interfície d'Usuari (IU)",
"color_mode": "Color Mode",
"brightness_only": "Només lluminositat",
"hs": "HS",
@@ -2117,13 +2286,34 @@
"minimum_color_temperature_kelvin": "Temperatura de color mínima (Kelvin)",
"minimum_color_temperature_mireds": "Temperatura de color mínima (mireds)",
"available_color_modes": "Modes de color disponibles",
- "available_tones": "Tons disponibles",
"docked": "Aparcada",
"mowing": "Tallant",
+ "paused": "Pausat/ada",
"returning": "Tornant",
+ "pattern": "Patró",
+ "running_automations": "Automatitzacions en execució",
+ "max_running_scripts": "Màxim nombre de 'scripts' en execució",
+ "run_mode": "Mode d'execució",
+ "parallel": "Paral·lel",
+ "queued": "Afegeix al final",
+ "single": "Individual",
+ "auto_update": "Actualització automàtica",
+ "installed_version": "Versió instal·lada",
+ "latest_version": "Última versió",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Versió omesa",
+ "firmware": "Microprogramari",
"oscillating": "Oscil·lant",
"speed_step": "Pas de velocitat",
"available_preset_modes": "Modes preconfigurats disponibles",
+ "minute": "Minut",
+ "second": "Segon",
+ "next_event": "Pròxim esdeveniment",
+ "step": "Pas",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Encaminador (router)",
"clear_night": "Serè, nit",
"cloudy": "Ennuvolat",
"exceptional": "Excepcional",
@@ -2146,26 +2336,9 @@
"uv_index": "Índex UV",
"wind_bearing": "Direcció del vent",
"wind_gust_speed": "Velocitat de les ràfegues de vent",
- "auto_update": "Actualització automàtica",
- "in_progress": "En curs",
- "installed_version": "Versió instal·lada",
- "latest_version": "Última versió",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Versió omesa",
- "firmware": "Microprogramari",
- "armed_away": "Activada, mode fora",
- "armed_custom_bypass": "Activada, bypass personalitzat",
- "armed_home": "Activada, mode a casa",
- "armed_night": "Activada, mode nocturn",
- "armed_vacation": "Activada, mode vacances",
- "disarming": "Desactivant",
- "triggered": "Disparada",
- "changed_by": "Canviat per",
- "code_for_arming": "Codi per a l'activació",
- "not_required": "Opcional",
- "code_format": "Code format",
"identify": "Identifica",
+ "cleaning": "Netejant",
+ "returning_to_dock": "Retornant a la base",
"recording": "Enregistrant",
"streaming": "Transmetent vídeo",
"access_token": "Token d'accés",
@@ -2174,96 +2347,143 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
- "end_time": "Data i hora final",
- "start_time": "Data i hora d'inici",
- "next_event": "Pròxim esdeveniment",
- "garage": "Garatge",
- "event_type": "Tipus d'esdeveniment",
- "event_types": "Tipus d'esdeveniments",
- "doorbell": "Timbre",
- "running_automations": "Automatitzacions en execució",
- "id": "ID",
- "max_running_automations": "Màxim nombre d'automatitzacions en execució",
- "run_mode": "Mode d'execució",
- "parallel": "Paral·lel",
- "queued": "Afegeix al final",
- "single": "Individual",
- "cleaning": "Netejant",
- "returning_to_dock": "Retornant a la base",
- "listening": "Escoltant",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Màxim nombre de 'scripts' en execució",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "ID de l'etiqueta",
+ "box": "Casella",
"jammed": "Encallat",
+ "locked": "Bloquejat",
"locking": "Bloquejant",
+ "unlocked": "Desbloquejat",
"unlocking": "Desbloquejant",
+ "changed_by": "Canviat per",
+ "code_format": "Code format",
"members": "Membres",
- "known_hosts": "Amfitrions coneguts",
- "google_cast_configuration": "Configuració de Google Cast",
- "confirm_description": "Vols configurar {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "El compte ja està configurat",
- "abort_already_in_progress": "El flux de configuració ja està en curs",
- "failed_to_connect": "Ha fallat la connexió",
- "invalid_access_token": "Token d'accés invàlid",
- "invalid_authentication": "Autenticació invàlida",
- "received_invalid_token_data": "S'han rebut dades token invàlides.",
- "abort_oauth_failed": "S'ha produït un error en obtenir el 'token' d'accés.",
- "timeout_resolving_oauth_token": "Temps màxim d'espera de resolució de 'token' OAuth esgotat.",
- "abort_oauth_unauthorized": "Error d'autorització OAuth durant l'obtenció del 'token' d'accés.",
- "re_authentication_was_successful": "Re-autenticació realitzada correctament",
- "unexpected_error": "Error inesperat",
- "successfully_authenticated": "Autenticació exitosa",
- "link_fitbit": "Vinculació de Fitbit",
- "pick_authentication_method": "Selecciona el mètode d'autenticació",
- "authentication_expired_for_name": "L'autenticació de {name} ha caducat",
+ "listening": "Escoltant",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Màxim nombre d'automatitzacions en execució",
+ "cool": "Refredar",
+ "fan_only": "Només el ventilador",
+ "heat_cool": "Escalfar/refredar",
+ "aux_heat": "Escalfador auxiliar",
+ "current_humidity": "Humitat actual",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Mode del ventilador",
+ "diffuse": "Difús",
+ "middle": "Mig",
+ "top": "Superior",
+ "current_action": "Acció actual",
+ "cooling": "Refredant",
+ "defrosting": "Descongelant",
+ "drying": "Assecant",
+ "heating": "Escalfant",
+ "preheating": "Preescalfant",
+ "max_target_humidity": "Humitat objectiu màxima",
+ "max_target_temperature": "Temperatura objectiu màxima",
+ "min_target_humidity": "Humitat objectiu mínima",
+ "min_target_temperature": "Temperatura objectiu mínima",
+ "boost": "Incrementat",
+ "comfort": "Confort",
+ "eco": "Econòmic",
+ "sleep": "Dormir",
+ "presets": "Preconfiguracions",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Mode oscil·lació",
+ "both": "Ambdós",
+ "horizontal": "Horitzontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Pas de la temperatura objectiu",
+ "stopped": "Aturada",
+ "garage": "Garatge",
+ "not_charging": "No carregant",
+ "disconnected": "Desconnectat",
+ "connected": "Connectat",
+ "hot": "Calent",
+ "no_light": "Sense llum",
+ "light_detected": "Llum detectada",
+ "not_moving": "Parat",
+ "unplugged": "Desendollat",
+ "not_running": "Aturat",
+ "safe": "Segur",
+ "unsafe": "Insegur",
+ "tampering_detected": "Manipulació detectada",
+ "playing": "Reproduint",
+ "standby": "En espera",
+ "app_id": "ID d'aplicació",
+ "local_accessible_entity_picture": "Imatge local accessible de l'entitat",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Artista de l'àlbum",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Canals",
+ "position_updated": "Posició actualitzada",
+ "series": "Sèrie",
+ "all": "Tots",
+ "one": "Una vegada",
+ "available_sound_modes": "Modes de so disponibles",
+ "available_sources": "Fonts disponibles",
+ "receiver": "Receptor",
+ "speaker": "Altaveu",
+ "tv": "TV",
+ "end_time": "Data i hora final",
+ "start_time": "Hora d'inici",
+ "event_type": "Tipus d'esdeveniment",
+ "event_types": "Tipus d'esdeveniments",
+ "doorbell": "Timbre",
+ "above_horizon": "Sobre l'horitzó",
+ "below_horizon": "Sota l'horitzó",
+ "armed_away": "Activada, mode fora",
+ "armed_custom_bypass": "Activada, bypass personalitzat",
+ "armed_home": "Activada, mode a casa",
+ "armed_night": "Activada, mode nocturn",
+ "armed_vacation": "Activada, mode vacances",
+ "disarming": "Desactivant",
+ "triggered": "Disparada",
+ "code_for_arming": "Codi per a l'activació",
+ "not_required": "Opcional",
+ "finishes_at": "S'acaba a les",
+ "remaining": "Restant",
+ "restore": "Restaura",
"device_is_already_configured": "El dispositiu ja està configurat",
+ "failed_to_connect": "Ha fallat la connexió",
"abort_no_devices_found": "No s'han trobat dispositius a la xarxa",
+ "re_authentication_was_successful": "Re-autenticació realitzada correctament",
"re_configuration_was_successful": "Reconfiguració realitzada correctament",
"connection_error_error": "Error de connexió: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
"camera_stream_authentication_failed": "Camera stream authentication failed",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "Enable camera live view",
- "username": "Nom d'usuari",
+ "username": "Username",
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Autenticació",
+ "authentication_expired_for_name": "L'autenticació de {name} ha caducat",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Ja configurat. Només és possible una sola configuració.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Vols començar la configuració?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Tipus de Switchbot no compatible.",
+ "unexpected_error": "Error inesperat",
+ "authentication_failed_error_detail": "Ha fallat l'autenticació: {error_detail}",
+ "error_encryption_key_invalid": "L'ID de clau o la clau de xifrat no són vàlids",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Vols configurar {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Clau de xifrat",
+ "key_id": "ID de clau",
+ "password_description": "Contrasenya per protegir la còpia de seguretat.",
+ "mac_address": "Adreça MAC",
"service_is_already_configured": "El servei ja està configurat",
- "invalid_ics_file": "Fitxer .ics invàlid",
- "calendar_name": "Nom del calendari",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "El flux de configuració ja està en curs",
"abort_invalid_host": "Nom de l'amfitrió o adreça IP invàlids",
"device_not_supported": "Dispositiu no compatible",
+ "invalid_authentication": "Autenticació invàlida",
"name_model_at_host": "{name} ({model} a {host})",
"authenticate_to_the_device": "Autentica't al dispositiu",
"finish_title": "Tria un nom per al dispositiu",
@@ -2271,68 +2491,27 @@
"yes_do_it": "Sí, fes-ho.",
"unlock_the_device_optional": "Desbloqueig de dispositiu (opcional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "La integració necessita credencials d'aplicació.",
- "timeout_establishing_connection": "S'ha esgotat el temps màxim d'espera per establir connexió",
- "link_google_account": "Vinculació amb compte de Google",
- "path_is_not_allowed": "Ruta no permesa",
- "path_is_not_valid": "Ruta invàlida",
- "path_to_file": "Ruta al fitxer",
- "api_key": "Clau API",
- "configure_daikin_ac": "Configuració de Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adaptador",
- "multiple_adapters_description": "Selecciona un adaptador Bluetooth per configurar-lo",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Plantilla de valor",
- "template_alarm_control_panel": "Plantilla de panell de control d'alarma",
- "device_class": "Classe de dispositiu",
- "state_template": "Plantilla d'estat",
- "template_binary_sensor": "Sensor binari de plantilla",
- "actions_on_press": "Accions en prémer",
- "template_button": "Botó de plantilla",
- "verify_ssl_certificate": "Verifica el certificat SSL",
- "template_image": "Plantilla d'imatge",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Valor del pas",
- "template_number": "Plantilla de número",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Sensor de plantilla",
- "actions_on_turn_off": "Accions en desactivar",
- "actions_on_turn_on": "Accions en activar",
- "template_switch": "Plantilla d'interruptor",
- "menu_options_alarm_control_panel": "Plantilla d'un panell de control d'alarma",
- "template_a_binary_sensor": "Plantilla d'un sensor binari",
- "template_a_button": "Plantilla d'un botó",
- "template_an_image": "Plantilla d'una imatge",
- "template_a_number": "Plantilla d'un número",
- "template_a_select": "Plantilla d'un selector",
- "template_a_sensor": "Plantilla d'un sensor",
- "template_a_switch": "Plantilla d'un interruptor",
- "template_helper": "Ajudant de plantilla",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "El compte ja està configurat",
+ "invalid_access_token": "Token d'accés invàlid",
+ "received_invalid_token_data": "S'han rebut dades token invàlides.",
+ "abort_oauth_failed": "S'ha produït un error en obtenir el 'token' d'accés.",
+ "timeout_resolving_oauth_token": "Temps màxim d'espera de resolució de 'token' OAuth esgotat.",
+ "abort_oauth_unauthorized": "Error d'autorització OAuth durant l'obtenció del 'token' d'accés.",
+ "successfully_authenticated": "Autenticació exitosa",
+ "link_fitbit": "Vinculació de Fitbit",
+ "pick_authentication_method": "Selecciona el mètode d'autenticació",
+ "two_factor_code": "Codi de dos factors",
+ "two_factor_authentication": "Autenticació de dos factors",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Inici de sessió amb un compte de Ring",
+ "abort_alternative_integration": "El dispositiu té millor compatibilitat amb una altra integració",
+ "abort_incomplete_config": "Falta una variable obligatòria a la configuració",
+ "manual_description": "URL al fitxer XML de descripció del dispositiu",
+ "manual_title": "Connexió manual de dispositiu DLNA DMR",
+ "discovered_dlna_dmr_devices": "Dispositius descoberts DLNA DMR",
+ "broadcast_address": "Adreça de difusió",
+ "broadcast_port": "Port de difusió",
"abort_addon_info_failed": "No s'ha pogut obtenir la informació del complement {addon}.",
"abort_addon_install_failed": "No s'ha pogut instal·lar el complement {addon}.",
"abort_addon_start_failed": "No s'ha pogut iniciar el complement {addon}.",
@@ -2359,48 +2538,47 @@
"starting_add_on": "Iniciant complement",
"menu_options_addon": "Utilitza el complement oficial {addon}.",
"menu_options_broker": "Introducció manual de la configuració de connexió del 'broker' MQTT",
- "bridge_is_already_configured": "L'enllaç ja està configurat",
- "no_deconz_bridges_discovered": "No s'han descobert enllaços amb deCONZ",
- "abort_no_hardware_available": "No hi ha cap maquinari ràdio connectat a deCONZ",
- "abort_updated_instance": "S'ha actualitzat la instància de deCONZ amb una nova adreça",
- "error_linking_not_possible": "No s'ha pogut enllaçar amb la passarel·la",
- "error_no_key": "No s'ha pogut obtenir una clau API",
- "link_with_deconz": "Vincular amb deCONZ",
- "select_discovered_deconz_gateway": "Selecciona la passarel·la deCONZ descoberta",
- "pin_code": "Codi PIN",
- "discovered_android_tv": "S'ha descobert Android TV",
- "abort_mdns_missing_mac": "Falta l'adreça MAC a les propietats MDNS.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Acció rebuda",
- "discovered_esphome_node": "Node d'ESPHome descobert",
- "encryption_key": "Clau de xifrat",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No s'han trobat serveis al punt final ('endpoint')",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "El dispositiu té millor compatibilitat amb una altra integració",
- "abort_incomplete_config": "Falta una variable obligatòria a la configuració",
- "manual_description": "URL al fitxer XML de descripció del dispositiu",
- "manual_title": "Connexió manual de dispositiu DLNA DMR",
- "discovered_dlna_dmr_devices": "Dispositius descoberts DLNA DMR",
+ "api_key": "Clau API",
+ "configure_daikin_ac": "Configuració de Daikin AC",
+ "cannot_connect_details_error_detail": "No s'ha pogut connectar. Detalls: {error_detail}",
+ "unknown_details_error_detail": "Desconegut. Detalls: {error_detail}",
+ "uses_an_ssl_certificate": "Utilitza un certificat SSL",
+ "verify_ssl_certificate": "Verifica el certificat SSL",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adaptador",
+ "multiple_adapters_description": "Selecciona un adaptador Bluetooth per configurar-lo",
"api_error_occurred": "S'ha produït un error a l'API",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Activa l'HTTPS",
- "broadcast_address": "Adreça de difusió",
- "broadcast_port": "Port de difusió",
- "mac_address": "Adreça MAC",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "No és compatible amb IPv6.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Codi de dos factors",
- "two_factor_authentication": "Autenticació de dos factors",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Inici de sessió amb un compte de Ring",
+ "timeout_establishing_connection": "S'ha esgotat el temps màxim d'espera per establir connexió",
+ "link_google_account": "Vinculació amb compte de Google",
+ "path_is_not_allowed": "Ruta no permesa",
+ "path_is_not_valid": "Ruta invàlida",
+ "path_to_file": "Ruta al fitxer",
+ "pin_code": "Codi PIN",
+ "discovered_android_tv": "S'ha descobert Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "Totes les entitats",
"hide_members": "Amaga membres",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignora els no numèrics",
"data_round_digits": "Arrodoneix el valor a un nombre de decimals",
"type": "Tipus",
@@ -2408,29 +2586,205 @@
"button_group": "Grup de botons",
"cover_group": "Grup de cobertes",
"event_group": "Event group",
- "fan_group": "Grup de ventiladors",
- "light_group": "Grup de llums",
"lock_group": "Grup de panys",
"media_player_group": "Grup de reproductors multimèdia",
"notify_group": "Notify group",
"sensor_group": "Grup de sensors",
"switch_group": "Grup de commutadors",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Tipus de Switchbot no compatible.",
- "authentication_failed_error_detail": "Ha fallat l'autenticació: {error_detail}",
- "error_encryption_key_invalid": "L'ID de clau o la clau de xifrat no són vàlids",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "ID de clau",
- "password_description": "Contrasenya per protegir la còpia de seguretat.",
- "device_address": "Adreça del dispositiu",
- "cannot_connect_details_error_detail": "No s'ha pogut connectar. Detalls: {error_detail}",
- "unknown_details_error_detail": "Desconegut. Detalls: {error_detail}",
- "uses_an_ssl_certificate": "Utilitza un certificat SSL",
+ "known_hosts": "Amfitrions coneguts",
+ "google_cast_configuration": "Configuració de Google Cast",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Falta l'adreça MAC a les propietats MDNS.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Acció rebuda",
+ "discovered_esphome_node": "Node d'ESPHome descobert",
+ "bridge_is_already_configured": "L'enllaç ja està configurat",
+ "no_deconz_bridges_discovered": "No s'han descobert enllaços amb deCONZ",
+ "abort_no_hardware_available": "No hi ha cap maquinari ràdio connectat a deCONZ",
+ "abort_updated_instance": "S'ha actualitzat la instància de deCONZ amb una nova adreça",
+ "error_linking_not_possible": "No s'ha pogut enllaçar amb la passarel·la",
+ "error_no_key": "No s'ha pogut obtenir una clau API",
+ "link_with_deconz": "Vincular amb deCONZ",
+ "select_discovered_deconz_gateway": "Selecciona la passarel·la deCONZ descoberta",
+ "abort_missing_credentials": "La integració necessita credencials d'aplicació.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No s'han trobat serveis al punt final ('endpoint')",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "No és compatible amb IPv6.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Plantilla de valor",
+ "template_alarm_control_panel": "Plantilla de panell de control d'alarma",
+ "state_template": "Plantilla d'estat",
+ "template_binary_sensor": "Sensor binari de plantilla",
+ "actions_on_press": "Accions en prémer",
+ "template_button": "Botó de plantilla",
+ "template_image": "Plantilla d'imatge",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Valor del pas",
+ "template_number": "Plantilla de número",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Sensor de plantilla",
+ "actions_on_turn_off": "Accions en desactivar",
+ "actions_on_turn_on": "Accions en activar",
+ "template_switch": "Plantilla d'interruptor",
+ "menu_options_alarm_control_panel": "Plantilla d'un panell de control d'alarma",
+ "template_a_binary_sensor": "Plantilla d'un sensor binari",
+ "template_a_button": "Plantilla d'un botó",
+ "template_an_image": "Plantilla d'una imatge",
+ "template_a_number": "Plantilla d'un número",
+ "template_a_select": "Plantilla d'un selector",
+ "template_a_sensor": "Plantilla d'un sensor",
+ "template_a_switch": "Plantilla d'un interruptor",
+ "template_helper": "Ajudant de plantilla",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "Aquest no és un dispositiu zha",
+ "abort_usb_probe_failed": "No s'ha pogut provar el dispositiu USB",
+ "invalid_backup_json": "JSON de còpia de seguretat invàlid",
+ "choose_an_automatic_backup": "Trieu una còpia de seguretat automàtica",
+ "restore_automatic_backup": "Restauració de la còpia de seguretat automàtica",
+ "choose_formation_strategy_description": "Trieu la configuració de xarxa per a la vostra ràdio.",
+ "restore_an_automatic_backup": "Restaura una còpia de seguretat automàtica",
+ "create_a_network": "Crea una xarxa",
+ "keep_radio_network_settings": "Manté la configuració de xarxa ràdio",
+ "upload_a_manual_backup": "Pujada de còpia de seguretat manual",
+ "network_formation": "Formació de xarxa",
+ "serial_device_path": "Ruta del port sèrie al dispositiu",
+ "select_a_serial_port": "Selecciona un port sèrie",
+ "radio_type": "Tipus de ràdio",
+ "manual_pick_radio_type_description": "Tria el tipus de ràdio Zigbee",
+ "port_speed": "Velocitat del port",
+ "data_flow_control": "Control de flux de dades",
+ "manual_port_config_description": "Introdueix la configuració del port sèrie",
+ "serial_port_settings": "Configuració del port sèrie",
+ "data_overwrite_coordinator_ieee": "Sobreescriu permanentment l'adreça IEEE ràdio",
+ "overwrite_radio_ieee_address": "Sobreescriu l'adreça IEEE ràdio",
+ "upload_a_file": "Puja un fitxer",
+ "radio_is_not_recommended": "No es recomana la ràdio",
+ "invalid_ics_file": "Fitxer .ics invàlid",
+ "calendar_name": "Nom del calendari",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Codi necessari per activar accions",
+ "zha_alarm_options_alarm_master_code": "Codi mestre per als panells de control d'alarma",
+ "alarm_control_panel_options": "Opcions del panell de control d'alarma",
+ "zha_options_consider_unavailable_battery": "Considera els dispositius amb bateria com a no disponibles al cap de (segons)",
+ "zha_options_consider_unavailable_mains": "Considera els dispositius connectats a la xarxa elèctrica com a no disponibles al cap de (segons)",
+ "zha_options_default_light_transition": "Temps de transició predeterminat (segons)",
+ "zha_options_group_members_assume_state": "Els membres del grup assumeixen l'estat del grup",
+ "zha_options_light_transitioning_flag": "Activa el control lliscant de lluminositat millorat durant la transició",
+ "global_options": "Opcions globals",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Nombre de reintents",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "URL invàlid",
+ "data_browse_unfiltered": "Mostra fitxers multimèdia incompatibles mentre navegui",
+ "event_listener_callback_url": "URL de crida de l'oient d'esdeveniments",
+ "data_listen_port": "Port de l'oient d'esdeveniments (aleatori si no es defineix)",
+ "poll_for_device_availability": "Sondeja per saber la disponibilitat del dispositiu",
+ "init_title": "Configuració del renderitzador de mitjans digitals DLNA",
+ "broker_options": "Opcions del broker",
+ "enable_birth_message": "Activa el missatge de naixement",
+ "birth_message_payload": "Dades (payload) del missatge de naixement",
+ "birth_message_qos": "QoS del missatge de naixement",
+ "birth_message_retain": "Retenció del missatge de naixement",
+ "birth_message_topic": "Topic del missatge de naixement",
+ "enable_discovery": "Activa el descobriment",
+ "discovery_prefix": "Prefix de descobriment",
+ "enable_will_message": "Activa el missatge d'última voluntat",
+ "will_message_payload": "Dades (payload) del missatge d'última voluntat",
+ "will_message_qos": "QoS del missatge d'última voluntat",
+ "will_message_retain": "Retenció del missatge d'última voluntat",
+ "will_message_topic": "Topic del missatge d'última voluntat",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "Opcions d'MQTT",
+ "passive_scanning": "Escaneig passiu",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Codi d'idioma",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "data_app_delete": "Check to delete this application",
+ "application_icon": "Application icon",
+ "application_name": "Application name",
+ "configure_application_id_app_id": "Configure application ID {app_id}",
+ "configure_android_apps": "Configure Android apps",
+ "configure_applications_list": "Configure applications list",
"ignore_cec": "Ignora CEC",
"allowed_uuids": "UUID permesos",
"advanced_google_cast_configuration": "Configuració avançada de Google Cast",
+ "allow_deconz_clip_sensors": "Permet sensors deCONZ CLIP",
+ "allow_deconz_light_groups": "Permet grups de llums deCONZ",
+ "data_allow_new_devices": "Permet l'addició automàtica de nous dispositius",
+ "deconz_devices_description": "Configura la visibilitat dels tipus dels dispositius deCONZ",
+ "deconz_options": "Opcions de deCONZ",
+ "select_test_server": "Seleccion el servidor de proves",
+ "data_calendar_access": "Accés de Home Assistant a Google Calendar",
+ "bluetooth_scanner_mode": "Mode d'escaneig Bluetooth",
"device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
"not_supported": "Not Supported",
"localtuya_configuration": "LocalTuya Configuration",
@@ -2447,10 +2801,9 @@
"data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
"data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
"data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
"configure_tuya_device": "Configure Tuya device",
"configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "ID del dispositiu",
+ "device_id": "Device ID",
"local_key": "Local key",
"protocol_version": "Protocol Version",
"data_entities": "Entities (uncheck an entity to remove it)",
@@ -2519,92 +2872,13 @@
"enable_heuristic_action_optional": "Enable heuristic action (optional)",
"data_dps_default_value": "Default value when un-initialised (optional)",
"minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Accés de Home Assistant a Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Escaneig passiu",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Opcions del broker",
- "enable_birth_message": "Activa el missatge de naixement",
- "birth_message_payload": "Dades (payload) del missatge de naixement",
- "birth_message_qos": "QoS del missatge de naixement",
- "birth_message_retain": "Retenció del missatge de naixement",
- "birth_message_topic": "Topic del missatge de naixement",
- "enable_discovery": "Activa el descobriment",
- "discovery_prefix": "Prefix de descobriment",
- "enable_will_message": "Activa el missatge d'última voluntat",
- "will_message_payload": "Dades (payload) del missatge d'última voluntat",
- "will_message_qos": "QoS del missatge d'última voluntat",
- "will_message_retain": "Retenció del missatge d'última voluntat",
- "will_message_topic": "Topic del missatge d'última voluntat",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "Opcions d'MQTT",
"data_allow_nameless_uuids": "UUID permesos actualment. Desmarca per eliminar-los",
"data_new_uuid": "Introdueix un nou UUID permès",
- "allow_deconz_clip_sensors": "Permet sensors deCONZ CLIP",
- "allow_deconz_light_groups": "Permet grups de llums deCONZ",
- "data_allow_new_devices": "Permet l'addició automàtica de nous dispositius",
- "deconz_devices_description": "Configura la visibilitat dels tipus dels dispositius deCONZ",
- "deconz_options": "Opcions de deCONZ",
- "data_app_delete": "Check to delete this application",
- "application_icon": "Application icon",
- "application_name": "Application name",
- "configure_application_id_app_id": "Configure application ID {app_id}",
- "configure_android_apps": "Configure Android apps",
- "configure_applications_list": "Configure applications list",
- "invalid_url": "URL invàlid",
- "data_browse_unfiltered": "Mostra fitxers multimèdia incompatibles mentre navegui",
- "event_listener_callback_url": "URL de crida de l'oient d'esdeveniments",
- "data_listen_port": "Port de l'oient d'esdeveniments (aleatori si no es defineix)",
- "poll_for_device_availability": "Sondeja per saber la disponibilitat del dispositiu",
- "init_title": "Configuració del renderitzador de mitjans digitals DLNA",
- "protocol": "Protocol",
- "language_code": "Codi d'idioma",
- "bluetooth_scanner_mode": "Mode d'escaneig Bluetooth",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Nombre de reintents",
- "select_test_server": "Seleccion el servidor de proves",
- "toggle_entity_name": "Commuta {entity_name}",
- "turn_off_entity_name": "Apaga {entity_name}",
- "turn_on_entity_name": "Engega {entity_name}",
- "entity_name_is_off": "{entity_name} està apagat/ada",
- "entity_name_is_on": "{entity_name} està engegat/ada",
- "trigger_type_changed_states": "{entity_name} s'engegui o s'apagui",
- "entity_name_turned_off": "{entity_name} s'apagui",
- "entity_name_turned_on": "{entity_name} s'engegui",
+ "reconfigure_zha": "Reconfiguració de ZHA",
+ "unplug_your_old_radio": "Desconnecta la ràdio antiga",
+ "intent_migrate_title": "Migra a una nova ràdio",
+ "re_configure_the_current_radio": "Torna a configurar la ràdio actual",
+ "migrate_or_re_configure": "Migració o reconfiguració",
"current_entity_name_apparent_power": "Potència aparent actual de {entity_name}",
"condition_type_is_aqi": "Índex de qualitat de l'aire actual de {entity_name}",
"current_entity_name_area": "Current {entity_name} area",
@@ -2697,6 +2971,57 @@
"entity_name_water_changes": "Canvia l'aigua de {entity_name}",
"entity_name_weight_changes": "Canvia el pes de {entity_name}",
"entity_name_wind_speed_changes": "Canvia la velocitat del vent de {entity_name}",
+ "decrease_entity_name_brightness": "Redueix la lluminositat de {entity_name}",
+ "increase_entity_name_brightness": "Augmenta la lluminositat de {entity_name}",
+ "flash_entity_name": "Perpelleja {entity_name}",
+ "toggle_entity_name": "Commuta {entity_name}",
+ "turn_off_entity_name": "Apaga {entity_name}",
+ "turn_on_entity_name": "Engega {entity_name}",
+ "entity_name_is_off": "{entity_name} està apagat/ada",
+ "entity_name_is_on": "{entity_name} està engegat/ada",
+ "flash": "Flaix",
+ "trigger_type_changed_states": "{entity_name} s'engegui o s'apagui",
+ "entity_name_turned_off": "{entity_name} s'apagui",
+ "entity_name_turned_on": "{entity_name} s'engegui",
+ "set_value_for_entity_name": "Estableix el valor de {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "La disponibilitat de l'actualització de {entity_name} canviï",
+ "entity_name_became_up_to_date": "{entity_name} s'ha actualitzat",
+ "trigger_type_turned_on": "{entity_name} tingui una actualització disponible",
+ "first_button": "Primer botó",
+ "second_button": "Segon botó",
+ "third_button": "Tercer botó",
+ "fourth_button": "Quart botó",
+ "fifth_button": "Cinquè botó",
+ "sixth_button": "Sisè botó",
+ "subtype_double_clicked": "\"{subtype}\" clicat dues vegades",
+ "subtype_continuously_pressed": "\"{subtype}\" premut contínuament",
+ "trigger_type_button_long_release": "\"{subtype}\" alliberat després d'una estona premut",
+ "subtype_quadruple_clicked": "\"{subtype}\" clicat quatre vegades",
+ "subtype_quintuple_clicked": "\"{subtype}\" clicat cinc vegades",
+ "subtype_pressed": "\"{subtype}\" premut",
+ "subtype_released": "\"{subtype}\" alliberat",
+ "subtype_triple_clicked": "\"{subtype}\" clicat tres vegades",
+ "entity_name_is_home": "{entity_name} és a casa",
+ "entity_name_is_not_home": "{entity_name} no és a casa",
+ "entity_name_enters_a_zone": "{entity_name} entri a una zona",
+ "entity_name_leaves_a_zone": "{entity_name} surti d'una zona",
+ "press_entity_name_button": "Prem el botó {entity_name}",
+ "entity_name_has_been_pressed": "S'ha premut {entity_name}",
+ "let_entity_name_clean": "Fes que {entity_name} netegi",
+ "action_type_dock": "Fes que {entity_name} torni a la base",
+ "entity_name_is_cleaning": "{entity_name} està netejant",
+ "entity_name_is_docked": "{entity_name} està acoblada",
+ "entity_name_started_cleaning": "{entity_name} ha començat a netejar",
+ "entity_name_docked": "{entity_name} acoblada",
+ "send_a_notification": "Envia una notificació",
+ "lock_entity_name": "Bloqueja {entity_name}",
+ "open_entity_name": "Obre {entity_name}",
+ "unlock_entity_name": "Desbloqueja {entity_name}",
+ "entity_name_locked": "{entity_name} està bloquejat",
+ "entity_name_is_open": "{entity_name} està obert",
+ "entity_name_unlocked": "{entity_name} està desbloquejat",
+ "entity_name_opened": "{entity_name} s'ha obert",
"action_type_set_hvac_mode": "Canvia el mode HVAC de {entity_name}",
"change_preset_on_entity_name": "Canvia la preconfiguració de {entity_name}",
"hvac_mode": "Mode HVAC",
@@ -2704,8 +3029,22 @@
"entity_name_measured_humidity_changed": "Ha canviat la humitat mesurada per {entity_name}",
"entity_name_measured_temperature_changed": "Ha canviat la temperatura mesurada per {entity_name}",
"entity_name_hvac_mode_changed": "El mode HVAC de {entity_name} ha canviat",
- "set_value_for_entity_name": "Estableix el valor de {entity_name}",
- "value": "Valor",
+ "close_entity_name": "Tanca {entity_name}",
+ "close_entity_name_tilt": "Inclinació {entity_name} tancat/ada",
+ "open_entity_name_tilt": "Inclinació {entity_name} obert/a",
+ "set_entity_name_position": "Estableix la posició de {entity_name}",
+ "set_entity_name_tilt_position": "Estableix la inclinació de {entity_name}",
+ "stop_entity_name": "Atura {entity_name}",
+ "entity_name_is_closed": "{entity_name} està tancat",
+ "entity_name_is_closing": "{entity_name} està tancant-se",
+ "entity_name_is_opening": "{entity_name} s'està obrint",
+ "current_entity_name_position_is": "La posició actual de {entity_name} és",
+ "condition_type_is_tilt_position": "La inclinació actual de {entity_name} és",
+ "entity_name_closed": "{entity_name} tancat/tancada",
+ "entity_name_closing": "{entity_name} tancant-se",
+ "entity_name_opening": "{entity_name} obrint-se",
+ "entity_name_position_changes": "Canvia la posició de {entity_name}",
+ "entity_name_tilt_position_changes": "Canvia la inclinació de {entity_name}",
"entity_name_battery_low": "Bateria de {entity_name} baixa",
"entity_name_charging": "{entity_name} estigui carregant-se",
"condition_type_is_co": "{entity_name} està detectant monòxid de carboni",
@@ -2714,7 +3053,6 @@
"entity_name_is_detecting_gas": "{entity_name} està detectant gas",
"entity_name_is_hot": "{entity_name} està calent",
"entity_name_is_detecting_light": "{entity_name} està detectant llum",
- "entity_name_is_locked": "{entity_name} està bloquejat/ada",
"entity_name_is_moist": "{entity_name} està humit",
"entity_name_is_detecting_motion": "{entity_name} està detectant moviment",
"entity_name_is_moving": "{entity_name} s'està movent",
@@ -2732,11 +3070,9 @@
"entity_name_is_not_cold": "{entity_name} no està fred",
"entity_name_disconnected": "{entity_name} està desconnectat",
"entity_name_is_not_hot": "{entity_name} no està calent",
- "entity_name_is_unlocked": "{entity_name} està desbloquejat/ada",
"entity_name_is_dry": "{entity_name} està sec",
"entity_name_is_not_moving": "{entity_name} no s'està movent",
"entity_name_is_not_occupied": "{entity_name} no està ocupat",
- "entity_name_is_closed": "{entity_name} està tancat/ada",
"entity_name_is_unplugged": "{entity_name} està desendollat",
"entity_name_not_powered": "{entity_name} no està alimentat",
"entity_name_not_present": "{entity_name} no està present",
@@ -2744,7 +3080,6 @@
"condition_type_is_not_tampered": "{entity_name} no detecta manipulació",
"entity_name_is_safe": "{entity_name} és segur",
"entity_name_is_occupied": "{entity_name} està ocupat",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} està endollat",
"entity_name_is_powered": "{entity_name} està alimentat",
"entity_name_is_present": "{entity_name} està present",
@@ -2761,7 +3096,6 @@
"entity_name_started_detecting_gas": "{entity_name} ha començat a detectar gas",
"entity_name_became_hot": "{entity_name} es torna calent",
"entity_name_started_detecting_light": "{entity_name} ha començat a detectar llum",
- "entity_name_locked": "{entity_name} s'ha bloquejat",
"entity_name_became_moist": "{entity_name} es torna humit",
"entity_name_started_detecting_motion": "{entity_name} ha començat a detectar moviment",
"entity_name_started_moving": "{entity_name} ha començat a moure's",
@@ -2772,21 +3106,17 @@
"entity_name_stopped_detecting_problem": "{entity_name} ha deixat de detectar un problema",
"entity_name_stopped_detecting_smoke": "{entity_name} ha deixat de detectar fum",
"entity_name_stopped_detecting_sound": "{entity_name} ha deixat de detectar so",
- "entity_name_became_up_to_date": "{entity_name} s'actualitzi",
"entity_name_stopped_detecting_vibration": "{entity_name} ha deixat de detectar vibració",
"entity_name_became_not_cold": "{entity_name} es torna no-fred",
"entity_name_became_not_hot": "{entity_name} es torna no-calent",
- "entity_name_unlocked": "{entity_name} s'ha desbloquejat",
"entity_name_became_dry": "{entity_name} es torna sec",
"entity_name_stopped_moving": "{entity_name} ha parat de moure's",
"entity_name_became_not_occupied": "{entity_name} es desocupa",
- "entity_name_closed": "{entity_name} tancat/ada",
"entity_name_unplugged": "{entity_name} desendollat",
"trigger_type_not_running": "{entity_name} para de funcionar",
"entity_name_stopped_detecting_tampering": "{entity_name} deixa de detectar manipulació",
"entity_name_became_safe": "{entity_name} es torna segur",
"entity_name_became_occupied": "{entity_name} s'ocupa",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} s'ha endollat",
"entity_name_powered": "{entity_name} alimentat",
"entity_name_present": "{entity_name} present",
@@ -2805,36 +3135,6 @@
"entity_name_starts_buffering": "{entity_name} comença a carregar-se en memòria",
"entity_name_becomes_idle": "{entity_name} es torna inactiu",
"entity_name_starts_playing": "{entity_name} comença a reproduir",
- "entity_name_is_home": "{entity_name} és a casa",
- "entity_name_is_not_home": "{entity_name} no és a casa",
- "entity_name_enters_a_zone": "{entity_name} entri a una zona",
- "entity_name_leaves_a_zone": "{entity_name} surti d'una zona",
- "decrease_entity_name_brightness": "Redueix la lluminositat de {entity_name}",
- "increase_entity_name_brightness": "Augmenta la lluminositat de {entity_name}",
- "flash_entity_name": "Perpelleja {entity_name}",
- "flash": "Flaix",
- "entity_name_update_availability_changed": "La disponibilitat de l'actualització de {entity_name} canviï",
- "trigger_type_turned_on": "{entity_name} tingui una actualització disponible",
- "arm_entity_name_away": "Activa {entity_name} fora",
- "arm_entity_name_home": "Activa {entity_name} a casa",
- "arm_entity_name_night": "Activa {entity_name} nocturn",
- "arm_entity_name_vacation": "Activa {entity_name} en mode vacances",
- "disarm_entity_name": "Desactiva {entity_name}",
- "trigger_entity_name": "Dispara {entity_name}",
- "entity_name_is_armed_away": "{entity_name} està activada en mode 'a fora'",
- "entity_name_is_armed_home": "{entity_name} està activada en mode 'a casa'",
- "entity_name_is_armed_night": "{entity_name} està activada en mode 'nocturn'",
- "entity_name_is_armed_vacation": "{entity_name} activada en mode vacances",
- "entity_name_is_disarmed": "{entity_name} està desactivada",
- "entity_name_is_triggered": "{entity_name} està disparada",
- "entity_name_armed_away": "{entity_name} activada en mode 'a fora'",
- "entity_name_armed_home": "{entity_name} activada en mode 'a casa'",
- "entity_name_armed_night": "{entity_name} activada en mode 'nocturn'",
- "entity_name_armed_vacation": "{entity_name} s'activa en mode vacances",
- "entity_name_disarmed": "{entity_name} desactivada",
- "entity_name_triggered": "{entity_name} disparat/ada",
- "press_entity_name_button": "Prem el botó {entity_name}",
- "entity_name_has_been_pressed": "S'ha premut {entity_name}",
"action_type_select_first": "Canvia {entity_name} a la primera opció",
"action_type_select_last": "Canvia {entity_name} a l'última opció",
"action_type_select_next": "Canvia {entity_name} a l'opció següent",
@@ -2844,41 +3144,11 @@
"cycle": "Cicle",
"from": "Des de",
"entity_name_option_changed": "{entity_name} canviï d'opció",
- "close_entity_name": "Tanca {entity_name}",
- "close_entity_name_tilt": "Inclinació {entity_name} tancat/ada",
- "open_entity_name": "Obre {entity_name}",
- "open_entity_name_tilt": "Inclinació {entity_name} obert/a",
- "set_entity_name_position": "Estableix la posició de {entity_name}",
- "set_entity_name_tilt_position": "Estableix la inclinació de {entity_name}",
- "stop_entity_name": "Atura {entity_name}",
- "entity_name_is_closing": "{entity_name} està tancant-se",
- "entity_name_is_opening": "{entity_name} s'està obrint",
- "current_entity_name_position_is": "La posició actual de {entity_name} és",
- "condition_type_is_tilt_position": "La inclinació actual de {entity_name} és",
- "entity_name_closing": "{entity_name} tancant-se",
- "entity_name_opening": "{entity_name} obrint-se",
- "entity_name_position_changes": "Canvia la posició de {entity_name}",
- "entity_name_tilt_position_changes": "Canvia la inclinació de {entity_name}",
- "first_button": "Primer botó",
- "second_button": "Segon botó",
- "third_button": "Tercer botó",
- "fourth_button": "Quart botó",
- "fifth_button": "Cinquè botó",
- "sixth_button": "Sisè botó",
- "subtype_double_push": "{subtype} clicat dues vegades",
- "subtype_continuously_pressed": "\"{subtype}\" premut contínuament",
- "trigger_type_button_long_release": "\"{subtype}\" alliberat després d'una estona premut",
- "subtype_quadruple_clicked": "\"{subtype}\" clicat quatre vegades",
- "subtype_quintuple_clicked": "\"{subtype}\" clicat cinc vegades",
- "subtype_pressed": "\"{subtype}\" premut",
- "subtype_released": "\"{subtype}\" alliberat",
- "subtype_triple_push": "{subtype} clicat tres vegades",
"both_buttons": "Ambdós botons",
"bottom_buttons": "Botons inferiors",
"seventh_button": "Setè botó",
"eighth_button": "Vuitè botó",
"dim_down": "Atenua",
- "dim_up": "Incrementa",
"left": "Esquerra",
"right": "Dreta",
"side": "Cara 6",
@@ -2897,42 +3167,63 @@
"trigger_type_remote_rotate_from_side": "Dispositiu rotat de la \"cara 6\" a la \"{subtype}\"",
"device_turned_clockwise": "Dispositiu girat en sentit horari",
"device_turned_counter_clockwise": "Dispositiu girat en sentit antihorari",
- "send_a_notification": "Envia una notificació",
- "let_entity_name_clean": "Fes que {entity_name} netegi",
- "action_type_dock": "Fes que {entity_name} torni a la base",
- "entity_name_is_cleaning": "{entity_name} està netejant",
- "entity_name_is_docked": "{entity_name} està acoblada",
- "entity_name_started_cleaning": "{entity_name} ha començat a netejar",
- "entity_name_docked": "{entity_name} acoblada",
"subtype_button_down": "Botó {subtype} avall",
"subtype_button_up": "Botó {subtype} amunt",
+ "subtype_double_push": "{subtype} clicat dues vegades",
"subtype_long_clicked": "{subtype} clicat durant una estona",
"subtype_long_push": "{subtype} premut durant una estona",
"trigger_type_long_single": "{subtype} clicat durant una estona i després ràpid",
"subtype_single_push": "{subtype} clicat una vegada",
"trigger_type_single_long": "{subtype} clicat ràpid i, després, durant una estona",
- "lock_entity_name": "Bloqueja {entity_name}",
- "unlock_entity_name": "Desbloqueja {entity_name}",
+ "subtype_triple_push": "{subtype} clicat tres vegades",
+ "arm_entity_name_away": "Activa {entity_name} fora",
+ "arm_entity_name_home": "Activa {entity_name} a casa",
+ "arm_entity_name_night": "Activa {entity_name} nocturn",
+ "arm_entity_name_vacation": "Activa {entity_name} en mode vacances",
+ "disarm_entity_name": "Desactiva {entity_name}",
+ "trigger_entity_name": "Dispara {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} està activada en mode 'a fora'",
+ "entity_name_is_armed_home": "{entity_name} està activada en mode 'a casa'",
+ "entity_name_is_armed_night": "{entity_name} està activada en mode 'nocturn'",
+ "entity_name_is_armed_vacation": "{entity_name} activada en mode vacances",
+ "entity_name_is_disarmed": "{entity_name} està desactivada",
+ "entity_name_is_triggered": "{entity_name} està disparada",
+ "entity_name_armed_away": "{entity_name} activada en mode 'a fora'",
+ "entity_name_armed_home": "{entity_name} activada en mode 'a casa'",
+ "entity_name_armed_night": "{entity_name} activada en mode 'nocturn'",
+ "entity_name_armed_vacation": "{entity_name} s'activa en mode vacances",
+ "entity_name_disarmed": "{entity_name} desactivada",
+ "entity_name_triggered": "{entity_name} disparat/ada",
+ "action_type_issue_all_led_effect": "Envia efecte a tots els LEDs",
+ "action_type_issue_individual_led_effect": "Envia efecte a un LED individual",
+ "squawk": "Squawk",
+ "warn": "Avís",
+ "color_hue": "To de color (hue)",
+ "duration_in_seconds": "Durada en segons",
+ "effect_type": "Tipus d'efecte",
+ "led_number": "Nombre de LED",
+ "with_face_activated": "Amb la cara 6 activada",
+ "with_any_specified_face_s_activated": "Amb qualsevol o alguna de les cares especificades activades.",
+ "device_dropped": "Dispositiu caigut",
+ "device_flipped_subtype": "Dispositiu voltejat a \"{subtype}\"",
+ "device_knocked_subtype": "Dispositiu colpejat a \"{subtype}\"",
+ "device_offline": "Dispositiu desconnectat",
+ "device_rotated_subtype": "Dispositiu rotat a \"{subtype}\"",
+ "device_slid_subtype": "Dispositiu lliscat a \"{subtype}\"",
+ "device_tilted": "Dispositiu inclinat",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" clicat dues vegades (mode alternatiu)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" premut contínuament (mode alternatiu)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" alliberat després d'una estona premut (mode alternatiu)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" clicat quatre vegades (mode alternatiu)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" clicat cinc vegades (mode alternatiu)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" premut (mode alternatiu)",
+ "subtype_released_alternate_mode": "\"{subtype}\" alliberat (mode alternatiu)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" clicat tres vegades (mode alternatiu)",
"add_to_queue": "Afegeix a la cua",
"play_next": "Reprodueix a continuació",
"options_replace": "Reprodueix ara i esborra la cua",
"repeat_all": "Repeteix-ho tot",
"repeat_one": "Repeteix un cop",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "Sense unitat de mesura",
- "critical": "Crític",
- "debug": "Depuració",
- "warning": "Alerta",
- "create_an_empty_calendar": "Crea un calendari buit",
- "options_import_ics_file": "Puja un fitxer iCalendar (.ics)",
- "passive": "Passiu",
- "most_recently_updated": "Actualitzats més recentment",
- "arithmetic_mean": "Mitjana aritmètica",
- "median": "Mediana",
- "product": "Producte",
- "statistical_range": "Rang estadístic",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Blau grisós pàl·lid",
"antique_white": "Blanc antic",
"aquamarine": "Aiguamarina",
@@ -3049,52 +3340,21 @@
"violet": "Violeta",
"wheat": "Blat",
"white_smoke": "Fum blanc",
- "sets_the_value": "Estableix el valor.",
- "the_target_value": "Valor objectiu.",
- "command": "Comanda",
- "device_description": "Device ID to send command to.",
- "delete_command": "Elimina ordre",
- "alternative": "Alternativa",
- "command_type_description": "El tipus d'ordre a aprendre.",
- "command_type": "Tipus de comanda",
- "timeout_description": "Temps d'espera per a l'ordre a aprendre.",
- "learn_command": "Aprèn ordre",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeticions",
- "send_command": "Envia comanda",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Apaga un o més llums.",
- "turn_on_description": "Inicia una nova tasca de neteja.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Crea una nova còpia de seguretat.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "Llista d'entitats i el seu estat objectiu.",
- "entities_state": "Estat de les entitats",
- "transition": "Transició",
- "apply": "Aplica",
- "creates_a_new_scene": "Crea una nova escena.",
- "scene_id_description": "ID d'entitat de la nova escena.",
- "scene_entity_id": "ID d'entitat d'escena",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activa una escena.",
- "closes_a_valve": "Tanca una vàlvula.",
- "opens_a_valve": "Obre una vàlvula.",
- "set_valve_position_description": "Mou una vàlvula a una posició específica.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Atura el moviment de la vàlvula.",
- "toggles_a_valve_open_closed": "Commuta una vàlvula, obre/tanca.",
- "dashboard_path": "Adreça del tauler",
- "view_path": "Adreça de la vista",
- "show_dashboard_view": "Mostra una vista d'un tauler",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Crític",
+ "debug": "Depuració",
+ "warning": "Alerta",
+ "passive": "Passiu",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "Sense unitat de mesura",
+ "fatal": "Fatal",
+ "most_recently_updated": "Actualitzats més recentment",
+ "arithmetic_mean": "Mitjana aritmètica",
+ "median": "Mediana",
+ "product": "Producte",
+ "statistical_range": "Rang estadístic",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Crea un calendari buit",
+ "options_import_ics_file": "Puja un fitxer iCalendar (.ics)",
"sets_a_random_effect": "Configura un efecte aleatori.",
"sequence_description": "Llista de seqüències de HSV (màx. 16).",
"initial_brightness": "Lluminositat inicial.",
@@ -3110,110 +3370,22 @@
"saturation_range": "Saturation range",
"segments_description": "Llista de segments (0 per tot).",
"segments": "Segments",
+ "transition": "Transició",
"range_of_transition": "Rang de la transició.",
"transition_range": "Rang de transició",
"random_effect": "Efecte aleatori",
"sets_a_sequence_effect": "Configura un efecte de seqüència.",
"repetitions_for_continuous": "Repeticions (0 per continu).",
+ "repeats": "Repeticions",
"sequence": "Seqüència",
"speed_of_spread": "Velocitat de propagació.",
"spread": "Propagació",
"sequence_effect": "Efecte seqüència",
- "check_configuration": "Check configuration",
- "reload_all": "Torna a carregar-ho tot",
- "reload_config_entry_description": "Recarrega l'entrada de configuració especificada.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Recarrega la configuració del nucli des de la configuració YAML.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Desactiva integracions i targetes personalitzades.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Commutació genèrica",
- "generic_turn_off": "Desactivació genèrica",
- "generic_turn_on": "Activació genèrica",
- "entity_id_description": "Entitat a referenciar a l'entrada de registre.",
- "entities_to_update": "Entitats a actualitzar",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Activa o desactiva l'escalfador auxiliar.",
- "aux_heat_description": "Nou valor per a l'escalfador auxiliar.",
- "turn_on_off_auxiliary_heater": "Activa/desactiva l'escalfador auxiliar",
- "sets_fan_operation_mode": "Estableix el mode de funcionament del ventilador.",
- "fan_operation_mode": "Mode de funcionament del ventilador.",
- "set_fan_mode": "Estableix el mode del ventilador",
- "sets_target_humidity": "Configura la humitat objectiu.",
- "set_target_humidity": "Configura humitat objectiu",
- "sets_hvac_operation_mode": "Configura el mode de funcionament HVAC.",
- "hvac_operation_mode": "Mode de funcionament HVAC.",
- "set_hvac_mode": "Configura mode HVAC",
- "sets_preset_mode": "Estableix el mode preconfiguració.",
- "set_preset_mode": "Estableix mode preconfiguració",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Mode de funcionament d'oscil·lació.",
- "set_swing_mode": "Configura el mode d'oscil·lació",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Configura temperatura objectiu",
- "turns_climate_device_off": "Desactiva dispositiu de climatització.",
- "turns_climate_device_on": "Activa dispositiu de climatització.",
- "decrement_description": "Disminueix el valor en 1 pas.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Estableix el valor d'un nombre.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Valor del paràmetre de configuració.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Esborra llista de reproducció",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Nivell",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Nivell de bateria del dispositiu.",
- "gps_coordinates": "Coordenades GPS",
- "gps_accuracy_description": "Precisió de les coordenades GPS.",
- "hostname_of_the_device": "Nom d'amfitrió del dispositiu.",
- "hostname": "Nom d'amfitrió",
- "mac_description": "Adreça MAC del dispositiu.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Valor de brillantor",
"a_human_readable_color_name": "Nom de color llegible.",
"color_name": "Nom del color",
@@ -3226,25 +3398,68 @@
"rgbww_color": "Color RGBWW",
"white_description": "Posa el llum en mode blanc.",
"xy_color": "Color XY",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Canvia la brillantor en una quantitat.",
"brightness_step_value": "Valor del pas de brillantor",
"brightness_step_pct_description": "Canvia la brillantor en percentatge.",
"brightness_step": "Pas de brillantor",
- "add_event_description": "Afegeix un nou esdeveniment al calendari.",
- "calendar_id_description": "Identificador del calendari que escullis.",
- "calendar_id": "ID del calendari",
- "description_description": "Descripció de l'esdeveniment. Opcional.",
- "summary_description": "Actua com a títol de l'esdeveniment.",
- "location_description": "Ubicació de l'esdeveniment.",
- "create_event": "Crea esdeveniment",
- "apply_filter": "Aplica filtre",
- "days_to_keep": "Dies a conservar",
- "repack": "Torna a empaquetar",
- "purge": "Purga",
- "domains_to_remove": "Dominis a eliminar",
- "entity_globs_to_remove": "Globs d'entitat a eliminar",
- "entities_to_remove": "Entitats a eliminar",
- "purge_entities": "Purga entitats",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pausa la tasca de tall/sega.",
+ "starts_the_mowing_task": "Inicia la tasca de tall/sega.",
+ "creates_a_new_backup": "Crea una nova còpia de seguretat.",
+ "sets_the_value": "Estableix el valor.",
+ "enter_your_text": "Introduïu un text.",
+ "set_value": "Estableix valor",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Ranura de codi a configurar el codi.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Arguments",
+ "cluster_id_description": "Clúster ZCL a recuperar-ne els atributs.",
+ "cluster_id": "ID del clúster",
+ "type_of_the_cluster": "Tipus de clúster.",
+ "cluster_type": "Tipus de clúster",
+ "command_description": "Comanda(es) a enviar a Google Assistant",
+ "command": "Comanda",
+ "command_type_description": "El tipus d'ordre a aprendre.",
+ "command_type": "Tipus de comanda",
+ "endpoint_id_description": "ID de l'endpoint del clúster.",
+ "endpoint_id": "ID de l'endpoint",
+ "ieee_description": "Adreça IEEE del dispositiu.",
+ "ieee": "IEEE",
+ "manufacturer": "Fabricant",
+ "params_description": "Paràmetres a passar a la comanda.",
+ "params": "Paràmetres",
+ "issue_zigbee_cluster_command": "Emet comanda zigbee de clúster",
+ "group_description": "Adreça hexadecimal del grup.",
+ "issue_zigbee_group_command": "Emet comanda zigbee de grup",
+ "permit_description": "Permet que nodes s'uneixin a la xarxa Zigbee.",
+ "time_to_permit_joins": "Temps per permetre unions.",
+ "install_code": "Codi d'instal·lació",
+ "qr_code": "Codi QR",
+ "source_ieee": "Font IEEE",
+ "permit": "Permís",
+ "reconfigure_device": "Reconfigura el dispositiu",
+ "set_lock_user_code_description": "Configura un codi d'usuari a un pany.",
+ "code_to_set": "Codi a configurar.",
+ "set_lock_user_code": "Estableix codi d'usuari a un pany",
+ "attribute_description": "ID de l'atribut a configurar.",
+ "value_description": "Valor objectiu a establir.",
+ "set_zigbee_cluster_attribute": "Estableix atribut de clúster zigbee",
+ "level": "Level",
+ "strobe": "Estroboscòpic",
+ "warning_device_squawk": "'Squawk' del dispositiu d'alerta",
+ "duty_cycle": "Cicle de treball",
+ "warning_device_starts_alert": "Inici d'avís del dispositiu d'alerta",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3270,10 +3485,181 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Configura el nivell de registre predeterminat per a les integracions.",
+ "level_description": "Nivell de gravetat predeterminat per a totes les integracions.",
+ "set_default_level": "Configura nivell predeterminat",
+ "set_level": "Configura nivell",
+ "stops_a_running_script": "Atura un script en execució.",
+ "clear_skipped_update": "Esborra l'actualització omesa",
+ "install_update": "Instal·la actualització",
+ "skip_description": "Marca l'actualització disponible actual com a omesa.",
+ "skip_update": "Omet l'actualització",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Augmenta velocitat",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Configura direcció",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Velocitat del ventilador.",
+ "percentage": "Percentatge",
+ "set_speed": "Configura velocitat",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Mode preconfiguració.",
+ "set_preset_mode": "Estableix mode preconfiguració",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Desactiva un ventilador.",
+ "turns_fan_on": "Activa un ventilador.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Crea una entrada personalitzada als registres.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Registre",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Sol·licita sincronització",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "Llista d'entitats i el seu estat objectiu.",
+ "entities_state": "Estat de les entitats",
+ "apply": "Aplica",
+ "creates_a_new_scene": "Crea una nova escena.",
+ "entity_states": "Entity states",
+ "scene_id_description": "ID d'entitat de la nova escena.",
+ "scene_entity_id": "ID d'entitat d'escena",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activa una escena.",
"reload_themes_description": "Recarrega els temes des de la configuració YAML.",
"reload_themes": "Torna a carregar els temes",
"name_of_a_theme": "Nom del tema.",
"set_the_default_theme": "Estableix el tema per defecte",
+ "decrement_description": "Disminueix el valor en 1 pas.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Estableix el valor d'un nombre.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Torna a carregar-ho tot",
+ "reload_config_entry_description": "Recarrega l'entrada de configuració especificada.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Recarrega la configuració del nucli des de la configuració YAML.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Desactiva integracions i targetes personalitzades.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Commutació genèrica",
+ "generic_turn_off": "Desactivació genèrica",
+ "generic_turn_on": "Activació genèrica",
+ "entities_to_update": "Entitats a actualitzar",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Dades",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Envia una notificació persistent",
+ "sends_a_notification_message": "Envia un missatge de notificació.",
+ "your_notification_message": "El missatge de notificació.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Envia missatge de notificació",
+ "send_magic_packet": "Envia paquet màgic",
+ "topic_to_listen_to": "Topic al qual escoltar.",
+ "topic": "Topic",
+ "export": "Exporta",
+ "publish_description": "Publica un missatge a un topic MQTT.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "Dades ('payload') a publicar.",
+ "payload": "Dades ('payload')",
+ "payload_template": "Plantilla de dades",
+ "qos": "QoS",
+ "retain": "Retenció",
+ "topic_to_publish_to": "Topic on publicar.",
+ "publish": "Publica",
+ "load_url_description": "Carrega un URL a un Fully Kiosk Browser.",
+ "url_to_load": "URL a carregar.",
+ "load_url": "Carrega URL",
+ "configuration_parameter_to_set": "Paràmetre de configuració a configurar.",
+ "key": "Clau",
+ "set_configuration": "Set Configuration",
+ "application_description": "Nom de paquet de l'aplicació a iniciar.",
+ "start_application": "Inicia l'aplicació",
+ "battery_description": "Nivell de bateria del dispositiu.",
+ "gps_coordinates": "Coordenades GPS",
+ "gps_accuracy_description": "Precisió de les coordenades GPS.",
+ "hostname_of_the_device": "Nom d'amfitrió del dispositiu.",
+ "hostname": "Nom d'amfitrió",
+ "mac_description": "Adreça MAC del dispositiu.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Elimina ordre",
+ "alternative": "Alternativa",
+ "timeout_description": "Temps d'espera per a l'ordre a aprendre.",
+ "learn_command": "Aprèn ordre",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "send_command": "Envia comanda",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Inicia una nova tasca de neteja.",
+ "get_weather_forecast": "Obté la previsió del temps.",
+ "type_description": "Tipus de previsió: diària, cada hora o dues vegades al dia.",
+ "forecast_type": "Tipus de previsió",
+ "get_forecast": "Obté previsió",
+ "get_weather_forecasts": "Obté les previsions meteorològiques.",
+ "get_forecasts": "Obté previsions",
+ "press_the_button_entity": "Prem l'entitat de botó.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Mostra una notificació al panell de notificacions.",
+ "notification_id": "ID de notificació",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "set_fan_speed": "Configura la velocitat del ventilador",
+ "start_description": "Inicia o reprèn la tasca de neteja.",
+ "start_pause_description": "Inicia, atura o reprèn la tasca de neteja.",
+ "stop_description": "Atura la tasca de neteja actual.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Desactiva la detecció de moviment.",
+ "disable_motion_detection": "Desactiva la detecció de moviment",
+ "enables_the_motion_detection": "Activa la detecció de moviment.",
+ "enable_motion_detection": "Activa la detecció de moviment",
+ "format_description": "Format de transmissió compatible amb el reproductor multimèdia.",
+ "format": "Format",
+ "media_player_description": "Reproductors multimèdia als quals transmetre.",
+ "play_stream": "Reprodueix vídeo",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Nom del fitxer",
+ "lookback": "Anticipació",
+ "snapshot_description": "Fa una instantània des d'una càmera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Fes una instantània",
+ "turns_off_the_camera": "Apaga la càmera.",
+ "turns_on_the_camera": "Encén la càmera.",
+ "reload_resources_description": "Recarrega els recursos del tauler des de la configuració YAML.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Memòria cau",
"language_description": "Language of text. Defaults to server language.",
@@ -3282,15 +3668,122 @@
"media_player_entity_id_description": "Reproductors multimèdia a reproduir el missatge.",
"media_player_entity": "Entitat de reproductor multimèdia",
"speak": "Parla",
- "reload_resources_description": "Recarrega els recursos del tauler des de la configuració YAML.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pausa la tasca de tall/sega.",
- "starts_the_mowing_task": "Inicia la tasca de tall/sega.",
+ "send_text_command": "Envia comanda de text",
+ "the_target_value": "Valor objectiu.",
+ "removes_a_group": "Elimina un grup.",
+ "object_id": "ID d'objecte",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Afegeix entitats",
+ "icon_description": "Nom de la icona del grup.",
+ "name_of_the_group": "Nom del grup.",
+ "remove_entities": "Elimina entitats",
+ "locks_a_lock": "Bloqueja un pany.",
+ "code_description": "Codi per activar l'alarma.",
+ "opens_a_lock": "Obre un pany.",
+ "unlocks_a_lock": "Desbloqueja un pany.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Recarrega tota la configuració de les automatitzacions.",
+ "trigger_description": "Dispara les accions d'una automatització.",
+ "skip_conditions": "Salta condicions",
+ "trigger": "Dispara",
+ "disables_an_automation": "Desactiva una automatització.",
+ "stops_currently_running_actions": "Atura les accions en execució.",
+ "stop_actions": "Atura accions",
+ "enables_an_automation": "Activa una automatització.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Escriu entrada de registre.",
+ "log_level": "Nivell dels registres.",
+ "message_to_log": "Missatge a registrar.",
+ "write": "Escriu",
+ "dashboard_path": "Adreça del tauler",
+ "view_path": "Adreça de la vista",
+ "show_dashboard_view": "Mostra una vista d'un tauler",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "ID de conversa",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Agent de conversa a tornar a carregar.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Posició objectiu.",
+ "set_position": "Configura posició",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Activa o desactiva l'escalfador auxiliar.",
+ "aux_heat_description": "Nou valor per a l'escalfador auxiliar.",
+ "turn_on_off_auxiliary_heater": "Activa/desactiva l'escalfador auxiliar",
+ "sets_fan_operation_mode": "Estableix el mode de funcionament del ventilador.",
+ "fan_operation_mode": "Mode de funcionament del ventilador.",
+ "set_fan_mode": "Estableix el mode del ventilador",
+ "sets_target_humidity": "Configura la humitat objectiu.",
+ "set_target_humidity": "Configura humitat objectiu",
+ "sets_hvac_operation_mode": "Configura el mode de funcionament HVAC.",
+ "hvac_operation_mode": "Mode de funcionament HVAC.",
+ "set_hvac_mode": "Configura mode HVAC",
+ "sets_preset_mode": "Estableix el mode preconfiguració.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Mode de funcionament d'oscil·lació.",
+ "set_swing_mode": "Configura el mode d'oscil·lació",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Configura temperatura objectiu",
+ "turns_climate_device_off": "Desactiva dispositiu de climatització.",
+ "turns_climate_device_on": "Activa dispositiu de climatització.",
+ "apply_filter": "Aplica filtre",
+ "days_to_keep": "Dies a conservar",
+ "repack": "Torna a empaquetar",
+ "purge": "Purga",
+ "domains_to_remove": "Dominis a eliminar",
+ "entity_globs_to_remove": "Globs d'entitat a eliminar",
+ "entities_to_remove": "Entitats a eliminar",
+ "purge_entities": "Purga entitats",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Esborra llista de reproducció",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3329,40 +3822,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Augmenta velocitat",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Configura direcció",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Velocitat del ventilador.",
- "percentage": "Percentatge",
- "set_speed": "Configura velocitat",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Mode preconfiguració.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Desactiva un ventilador.",
- "turns_fan_on": "Activa un ventilador.",
- "get_weather_forecast": "Obté la previsió del temps.",
- "type_description": "Tipus de previsió: diària, cada hora o dues vegades al dia.",
- "forecast_type": "Tipus de previsió",
- "get_forecast": "Obté previsió",
- "get_weather_forecasts": "Obté les previsions meteorològiques.",
- "get_forecasts": "Obté previsions",
- "clear_skipped_update": "Esborra l'actualització omesa",
- "install_update": "Instal·la actualització",
- "skip_description": "Marca l'actualització disponible actual com a omesa.",
- "skip_update": "Omet l'actualització",
- "code_description": "Codi per desbloquejar el pany.",
- "arm_with_custom_bypass": "Activa amb bypass personalitzat",
- "alarm_arm_vacation_description": "Configura l'alarma a: _activada en mode vacances_.",
- "disarms_the_alarm": "Desactiva l'alarma.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Disparador",
"selects_the_first_option": "Selecciona la primera opció.",
"first": "Primera",
"selects_the_last_option": "Selecciona l'última opció.",
@@ -3370,76 +3829,16 @@
"selects_an_option": "Selecciona una opció.",
"option_to_be_selected": "Opció a seleccionar.",
"selects_the_previous_option": "Selecciona l'opció anterior.",
- "disables_the_motion_detection": "Desactiva la detecció de moviment.",
- "disable_motion_detection": "Desactiva la detecció de moviment",
- "enables_the_motion_detection": "Activa la detecció de moviment.",
- "enable_motion_detection": "Activa la detecció de moviment",
- "format_description": "Format de transmissió compatible amb el reproductor multimèdia.",
- "format": "Format",
- "media_player_description": "Reproductors multimèdia als quals transmetre.",
- "play_stream": "Reprodueix vídeo",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Nom del fitxer",
- "lookback": "Anticipació",
- "snapshot_description": "Fa una instantània des d'una càmera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Fes una instantània",
- "turns_off_the_camera": "Apaga la càmera.",
- "turns_on_the_camera": "Encén la càmera.",
- "press_the_button_entity": "Prem l'entitat de botó.",
+ "create_event_description": "Adds a new calendar event.",
+ "location_description": "Ubicació de l'esdeveniment. Opcional.",
"start_date_description": "Data en què ha de començar l'esdeveniment de tot el dia.",
+ "create_event": "Create event",
"get_events": "Get events",
- "sets_the_options": "Configura les opcions.",
- "list_of_options": "Llista d'opcions.",
- "set_options": "Configura opcions",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Sol·licita sincronització",
- "log_description": "Crea una entrada personalitzada als registres.",
- "message_description": "Message body of the notification.",
- "log": "Registre",
- "enter_your_text": "Introduïu un text.",
- "set_value": "Estableix valor",
- "topic_to_listen_to": "Topic al qual escoltar.",
- "topic": "Topic",
- "export": "Exporta",
- "publish_description": "Publica un missatge a un topic MQTT.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "Dades ('payload') a publicar.",
- "payload": "Dades ('payload')",
- "payload_template": "Plantilla de dades",
- "qos": "QoS",
- "retain": "Retenció",
- "topic_to_publish_to": "Topic on publicar.",
- "publish": "Publica",
- "reloads_the_automation_configuration": "Recarrega tota la configuració de les automatitzacions.",
- "trigger_description": "Dispara les accions d'una automatització.",
- "skip_conditions": "Salta condicions",
- "disables_an_automation": "Desactiva una automatització.",
- "stops_currently_running_actions": "Atura les accions en execució.",
- "stop_actions": "Atura accions",
- "enables_an_automation": "Activa una automatització.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Configura el nivell de registre predeterminat per a les integracions.",
- "level_description": "Nivell de gravetat predeterminat per a totes les integracions.",
- "set_default_level": "Configura nivell predeterminat",
- "set_level": "Configura nivell",
+ "closes_a_valve": "Tanca una vàlvula.",
+ "opens_a_valve": "Obre una vàlvula.",
+ "set_valve_position_description": "Mou una vàlvula a una posició específica.",
+ "stops_the_valve_movement": "Atura el moviment de la vàlvula.",
+ "toggles_a_valve_open_closed": "Commuta una vàlvula, obre/tanca.",
"bridge_identifier": "Identificador de l'enllaç",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3448,82 +3847,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Comanda(es) a enviar a Google Assistant",
- "parameters": "Paràmetres",
- "set_fan_speed": "Configura la velocitat del ventilador",
- "start_description": "Inicia o reprèn la tasca de neteja.",
- "start_pause_description": "Inicia, atura o reprèn la tasca de neteja.",
- "stop_description": "Atura la tasca de neteja actual.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Activa/desactiva un interruptor.",
- "turns_a_switch_off": "Desactiva un interruptor.",
- "turns_a_switch_on": "Activa un interruptor.",
+ "add_event_description": "Afegeix un nou esdeveniment al calendari.",
+ "calendar_id_description": "Identificador del calendari que escullis.",
+ "calendar_id": "ID del calendari",
+ "description_description": "Descripció de l'esdeveniment. Opcional.",
+ "summary_description": "Actua com a títol de l'esdeveniment.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Baixa el fitxer des de l'URL proporcionat.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Dades",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Envia una notificació persistent",
- "sends_a_notification_message": "Envia un missatge de notificació.",
- "your_notification_message": "El missatge de notificació.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Envia missatge de notificació",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "ID de conversa",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Agent de conversa a tornar a carregar.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Envia paquet màgic",
- "send_text_command": "Envia comanda de text",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Escriu entrada de registre.",
- "log_level": "Nivell dels registres.",
- "message_to_log": "Missatge a registrar.",
- "write": "Escriu",
- "locks_a_lock": "Bloqueja un pany.",
- "opens_a_lock": "Obre un pany.",
- "unlocks_a_lock": "Desbloqueja un pany.",
- "removes_a_group": "Elimina un grup.",
- "object_id": "ID d'objecte",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Afegeix entitats",
- "icon_description": "Nom de la icona del grup.",
- "name_of_the_group": "Nom del grup.",
- "remove_entities": "Elimina entitats",
- "stops_a_running_script": "Atura un script en execució.",
- "create_description": "Mostra una notificació al panell de notificacions.",
- "notification_id": "ID de notificació",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Carrega un URL a un Fully Kiosk Browser.",
- "url_to_load": "URL a carregar.",
- "load_url": "Carrega URL",
- "configuration_parameter_to_set": "Paràmetre de configuració a configurar.",
- "key": "Clau",
- "set_configuration": "Set Configuration",
- "application_description": "Nom de paquet de l'aplicació a iniciar.",
- "start_application": "Inicia l'aplicació"
+ "sets_the_options": "Configura les opcions.",
+ "list_of_options": "Llista d'opcions.",
+ "set_options": "Configura opcions",
+ "arm_with_custom_bypass": "Activa amb bypass personalitzat",
+ "alarm_arm_vacation_description": "Configura l'alarma a: _activada en mode vacances_.",
+ "disarms_the_alarm": "Desactiva l'alarma.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Activa/desactiva un interruptor.",
+ "turns_a_switch_off": "Desactiva un interruptor.",
+ "turns_a_switch_on": "Activa un interruptor."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/cs/cs.json b/packages/core/src/hooks/useLocale/locales/cs/cs.json
index c0382278..63b75598 100644
--- a/packages/core/src/hooks/useLocale/locales/cs/cs.json
+++ b/packages/core/src/hooks/useLocale/locales/cs/cs.json
@@ -52,7 +52,7 @@
"area_not_found": "Oblast nenalezena.",
"last_triggered": "Naposledy spuštěno",
"run_actions": "Spustit akce",
- "press": "Stisk",
+ "press": "Stisknout",
"image_not_available": "Obrázek není k dispozici",
"currently": "Aktuálně",
"on_off": "Zapnuto/Vypnuto",
@@ -218,6 +218,7 @@
"name": "Název",
"optional": "volitelné",
"default": "Výchozí",
+ "ui_common_dont_save": "Neukládat",
"select_media_player": "Vyberte přehrávač médií",
"media_browse_not_supported": "Přehrávač médií nepodporuje procházení médií.",
"pick_media": "Vybrat média",
@@ -242,11 +243,11 @@
"condition": "Podmínka",
"date": "Datum",
"date_time": "Datum a čas",
- "duration": "Délka",
+ "duration": "Doba trvání",
"entity": "Entita",
"floor": "Patro",
"icon": "Ikona",
- "location": "Místo",
+ "location": "Poloha",
"number": "Číslo",
"object": "Objekt",
"rgb_color": "Barva RGB",
@@ -462,8 +463,8 @@
"black": "Černá",
"white": "Bílá",
"ui_components_color_picker_default_color": "Výchozí barva (podle stavu)",
- "start_date": "Datum začátku",
- "end_date": "Datum konce",
+ "start_date": "Datum zahájení",
+ "end_date": "Datum ukončení",
"select_time_period": "Vybrat časové období",
"today": "Dnes",
"yesterday": "Včera",
@@ -637,8 +638,9 @@
"line_line_column_column": "řádek: {line}, sloupec: {column}",
"last_changed": "Naposledy změněno",
"last_updated": "Naposledy aktualizováno",
- "remaining_time": "Zbývající čas",
+ "time_left": "Zbývající čas",
"install_status": "Stav instalace",
+ "ui_components_multi_textfield_add_item": "Přidat {item}",
"safe_mode": "Nouzový režim",
"all_yaml_configuration": "Všechna nastavení YAML",
"domain": "Doména",
@@ -741,6 +743,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Vytvořit zálohu před aktualizací",
"update_instructions": "Pokyny pro aktualizaci",
"current_activity": "Aktuální aktivita",
+ "status": "Stav 2",
"vacuum_cleaner_commands": "Příkazy vysavače:",
"fan_speed": "Výkon vysávání",
"clean_spot": "Uklidit místo",
@@ -775,7 +778,7 @@
"default_code": "Výchozí kód",
"editor_default_code_error": "Kód neodpovídá formátu kódu",
"entity_id": "ID entity",
- "unit_of_measurement": "Měrná jednotka",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "Jednotka srážek",
"display_precision": "Přesnost zobrazení",
"default_value": "Výchozí ({value})",
@@ -796,7 +799,7 @@
"cold": "Chlad",
"connectivity": "Připojení",
"gas": "Plyn",
- "heat": "Teplo",
+ "heat": "Vytápění",
"light": "Světlo",
"motion": "Pohyb",
"occupancy": "Obsazenost",
@@ -846,7 +849,7 @@
"ui_dialogs_entity_registry_editor_hidden_description": "Skryté entity nebudou zobrazeny na hlavním panelu, ani nebudou zahrnuty, když se na ně bude odkazovat nepřímo (tj. prostřednictvím oblasti nebo zařízení). Jejich historie je stále sledována a stále s nimi můžete komunikovat prostřednictvím služeb.",
"enable_type": "Povolit {type}",
"device_registry_detail_enabled_cause": "{type} zakázán z důvodu {cause}.",
- "service": "služba",
+ "service": "službu",
"unknown_error": "Neznámá chyba",
"expose": "Vystavit",
"aliases": "Aliasy",
@@ -857,7 +860,7 @@
"restart_home_assistant": "Restartovat Home Assistanta?",
"advanced_options": "Pokročilé volby",
"quick_reload": "Rychlé nové načtení",
- "reload_description": "Znovu načte všechny dostupné skripty.",
+ "reload_description": "Znovu načte časovače z nastavení YAML.",
"reloading_configuration": "Probíhá nové načítání nastavení",
"failed_to_reload_configuration": "Nové načtení nastavení se nezdařilo",
"restart_description": "Přeruší všechny spuštěné automatizace a skripty.",
@@ -886,8 +889,8 @@
"password": "Heslo",
"regex_pattern": "Regulární výraz",
"used_for_client_side_validation": "Používá se pro ověřování na straně klienta",
- "minimum_value": "Minimální hodnota",
- "maximum_value": "Maximální hodnota",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Vstupní pole",
"slider": "Posuvník",
"step_size": "Velikost kroku",
@@ -1208,7 +1211,7 @@
"ui_panel_lovelace_editor_edit_view_type_warning_sections": "Nemůžete změnit zobrazení na typ zobrazení \"Sekce\", protože migrace zatím není podporována. Pokud chcete experimentovat se zobrazením \"Sekce\", začněte od začátku s novým zobrazením.",
"card_configuration": "Nastavení karty",
"type_card_configuration": "Nastavení karty {type}",
- "edit_card_pick_card": "Kterou kartu chcete přidat?",
+ "add_to_dashboard": "Přidat do ovládacího panelu",
"toggle_editor": "Přepnout editor",
"you_have_unsaved_changes": "Změny nejsou uloženy",
"edit_card_confirm_cancel": "Opravdu chcete zahodit změny?",
@@ -1234,7 +1237,6 @@
"edit_badge_pick_badge": "Který odznak byste chtěli přidat?",
"add_badge": "Přidat odznak",
"suggest_card_header": "Vytvořili jsme pro vás návrh",
- "add_to_dashboard": "Přidat do ovládacího panelu",
"move_card_strategy_error_title": "Kartu nelze přesunout",
"card_moved_successfully": "Karta byla úspěšně přesunuta",
"error_while_moving_card": "Chyba při přesouvání karty",
@@ -1407,6 +1409,12 @@
"show_more_detail": "Zobrazit více podrobností",
"to_do_list": "Seznam úkolů",
"hide_completed_items": "Skrýt dokončené položky",
+ "ui_panel_lovelace_editor_card_todo_list_display_order": "Pořadí zobrazení",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc": "Abecedně (A-Z)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_desc": "Abecedně (Z-A)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc": "Datum splnění (nejdříve)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc": "Datum splnění (nejdéle)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_manual": "Ručně",
"thermostat": "Termostat",
"thermostat_show_current_as_primary": "Zobrazit aktuální teplotu jako primární informaci",
"tile": "Dlaždice",
@@ -1532,143 +1540,122 @@
"now": "Nyní",
"compare_data": "Porovnat data",
"reload_ui": "Nově načíst uživatelské rozhraní",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
+ "home_assistant_api": "Home Assistant API",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
"tag": "Značka",
- "input_datetime": "Pomocníci - data/časy",
- "solis_inverter": "Solis Inverter",
+ "media_source": "Media Source",
+ "mobile_app": "Mobilní aplikace",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostika",
+ "filesize": "Velikost souboru",
+ "group": "Skupina",
+ "binary_sensor": "Binární senzor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "device_automation": "Device Automation",
+ "person": "Osoba",
+ "input_button": "Pomocníci - tlačítko",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Skript",
+ "fan": "Větrání",
"scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Časovač",
- "local_calendar": "Místní kalendář",
- "intent": "Intent",
- "device_tracker": "Sledovač zařízení",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
- "home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
- "fan": "Ventilátor",
- "weather": "Počasí",
- "camera": "Kamera",
"schedule": "Plán",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Počasí",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Konverzace",
- "thread": "Thread",
- "http": "HTTP",
- "valve": "Ventil",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Klima",
- "binary_sensor": "Binární senzor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "system_log": "System Log",
+ "cover": "Roleta",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Ventil",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Roleta",
- "samsungtv_smart": "SamsungTV Smart",
- "google_assistant": "Google Assistant",
- "zone": "Zóna",
- "auth": "Auth",
- "event": "Událost",
- "home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Spínač",
- "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
- "google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Trvalé oznámení",
- "trace": "Trace",
- "remote": "Dálkové ovládání",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Místní kalendář",
"tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Počítadlo",
- "filesize": "Velikost souboru",
+ "siren": "Siréna",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Sekačka na trávu",
+ "system_monitor": "System Monitor",
"image_upload": "Image Upload",
- "recorder": "Recorder",
"home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "lawn_mower": "Sekačka na trávu",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobilní aplikace",
- "media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
- "shelly": "Shelly",
- "group": "Skupina",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "google_assistant": "Google Assistant",
+ "daikin_ac": "Daikin AC",
"fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostika",
- "person": "Osoba",
- "localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Přihlašovací údaje aplikace",
- "siren": "Siréna",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Pomocníci - tlačítko",
+ "device_tracker": "Sledovač zařízení",
+ "remote": "Dálkové ovládání",
+ "home_assistant_cloud": "Home Assistant Cloud",
+ "persistent_notification": "Trvalé oznámení",
"vacuum": "Vysavač",
"reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
+ "camera": "Kamera",
+ "hacs": "HACS",
+ "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
+ "google_assistant_sdk": "Google Assistant SDK",
+ "samsungtv_smart": "SamsungTV Smart",
+ "google_cast": "Google Cast",
"rpi_power_title": "Kontrola napájecího zdroje Raspberry Pi",
- "assist_satellite": "Assist satellite",
- "script": "Skript",
- "ring": "Ring",
+ "conversation": "Konverzace",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Klima",
+ "recorder": "Recorder",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Událost",
+ "zone": "Zóna",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
+ "timer": "Časovač",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Spínač",
+ "input_datetime": "Pomocníci - data/časy",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Počítadlo",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
"configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Přihlašovací údaje aplikace",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
+ "media_extractor": "Media Extractor",
+ "stream": "Stream",
+ "shelly": "Shelly",
+ "assist_pipeline": "Assist pipeline",
+ "localtuya": "LocalTuya integration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Aktivní kalorie",
- "awakenings_count": "Počet probuzení",
- "battery_level": "Úroveň baterie",
- "bmi": "BMI",
- "body_fat": "Tělesný tuk",
- "calories": "Kalorie",
- "calories_bmr": "BMR kalorie",
- "calories_in": "Kalorie v",
- "floors": "Patra",
- "minutes_after_wakeup": "Minuty po probuzení",
- "minutes_fairly_active": "Minuty poměrně aktivní",
- "minutes_lightly_active": "Minuty lehce aktivní",
- "minutes_sedentary": "Minuty sedavé",
- "minutes_very_active": "Minuty velmi aktivní",
- "resting_heart_rate": "Klidová tepová frekvence",
- "sleep_efficiency": "Efektivita spánku",
- "sleep_minutes_asleep": "Minuty spánku",
- "sleep_minutes_awake": "Probuzení ve spánku",
- "sleep_minutes_to_fall_asleep_name": "Minuty do usnutí",
- "sleep_start_time": "Čas začátku spánku",
- "sleep_time_in_bed": "Doba spánku v posteli",
- "steps": "Kroky",
"battery_low": "Slabá baterie",
"cloud_connection": "Připojení ke cloudu",
"humidity_warning": "Upozornění na vlhkost",
"closed": "Zavřeno",
"overheated": "Přehřáté",
"temperature_warning": "Upozornění na teplotu",
- "update_available": "Jsou k dispozici aktualizace",
+ "update_available": "Aktualizace k dispozici",
"dry": "Vysoušení",
"wet": "Mokro",
"pan_left": "Panorama vlevo",
@@ -1690,6 +1677,7 @@
"alarm_source": "Zdroj alarmu",
"auto_off_at": "Automaticky vypnout v",
"available_firmware_version": "Dostupná verze firmwaru",
+ "battery_level": "Úroveň baterie",
"this_month_s_consumption": "Spotřeba tento měsíc",
"today_s_consumption": "Dnešní spotřeba",
"total_consumption": "Celková spotřeba",
@@ -1715,30 +1703,16 @@
"motion_sensor": "Pohybový senzor",
"smooth_transitions": "Hladké přechody",
"tamper_detection": "Detekce narušení",
- "next_dawn": "Následující úsvit",
- "next_dusk": "Následující soumrak",
- "next_midnight": "Následující půlnoc",
- "next_noon": "Následující poledne",
- "next_rising": "Následující východ",
- "next_setting": "Následující západ",
- "solar_azimuth": "Solární azimut",
- "solar_elevation": "Solární výška",
- "solar_rising": "Solární východ",
- "day_of_week": "Den v týdnu",
- "illuminance": "Osvětlení",
- "noise": "Hluk",
- "overload": "Přetížení",
- "working_location": "Pracovní místo",
- "created": "Vytvořeno",
- "size": "Velikost",
- "size_in_bytes": "Velikost v bajtech",
- "compressor_energy_consumption": "Spotřeba energie kompresoru",
- "compressor_estimated_power_consumption": "Odhadovaná spotřeba energie kompresoru",
- "compressor_frequency": "Frekvence kompresoru",
- "cool_energy_consumption": "Spotřeba chladicí energie",
- "heat_energy_consumption": "Spotřeba tepelné energie",
- "inside_temperature": "Vnitřní teplota",
- "outside_temperature": "Venkovní teplota",
+ "calibration": "Kalibrovat",
+ "auto_lock_paused": "Automatické zamykání pozastaveno",
+ "timeout": "Časový limit",
+ "unclosed_alarm": "Alarm při nezavření",
+ "unlocked_alarm": "Alarm při nezamknutí",
+ "bluetooth_signal": "Signál Bluetooth",
+ "light_level": "Úroveň světla",
+ "wi_fi_signal": "Wi-Fi signál",
+ "momentary": "Chvilkový",
+ "pull_retract": "Vysunout/Zasunout",
"process_process": "Proces {process}",
"disk_free_mount_point": "Volno na disku {mount_point}",
"disk_use_mount_point": "Použití disku {mount_point}",
@@ -1760,33 +1734,74 @@
"swap_usage": "Využití SWAP",
"network_throughput_in_interface": "Propustnost do sítě {interface}",
"network_throughput_out_interface": "Propustnost ze sítě {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Asistence probíhá",
- "preferred": "Preferováno",
- "finished_speaking_detection": "Detekce mluvení dokončena",
- "aggressive": "Agresivní",
- "relaxed": "Uvolněná",
- "os_agent_version": "Verze agenta OS",
- "apparmor_version": "Verze Apparmor",
- "cpu_percent": "Procento CPU",
- "disk_free": "Volné místo na disku",
- "disk_total": "Na disku celkem",
- "disk_used": "Využití disku",
- "memory_percent": "Procento paměti",
- "version": "Verze",
- "newest_version": "Nejnovější verze",
+ "day_of_week": "Den v týdnu",
+ "illuminance": "Osvětlení",
+ "noise": "Hluk",
+ "overload": "Přetížení",
+ "activity_calories": "Aktivní kalorie",
+ "awakenings_count": "Počet probuzení",
+ "bmi": "BMI",
+ "body_fat": "Tělesný tuk",
+ "calories": "Kalorie",
+ "calories_bmr": "BMR kalorie",
+ "calories_in": "Kalorie v",
+ "floors": "Patra",
+ "minutes_after_wakeup": "Minuty po probuzení",
+ "minutes_fairly_active": "Minuty poměrně aktivní",
+ "minutes_lightly_active": "Minuty lehce aktivní",
+ "minutes_sedentary": "Minuty sedavé",
+ "minutes_very_active": "Minuty velmi aktivní",
+ "resting_heart_rate": "Klidová tepová frekvence",
+ "sleep_efficiency": "Efektivita spánku",
+ "sleep_minutes_asleep": "Minuty spánku",
+ "sleep_minutes_awake": "Probuzení ve spánku",
+ "sleep_minutes_to_fall_asleep_name": "Minuty do usnutí",
+ "sleep_start_time": "Čas začátku spánku",
+ "sleep_time_in_bed": "Doba spánku v posteli",
+ "steps": "Kroky",
"synchronize_devices": "Synchronizovat zařízení",
- "estimated_distance": "Odhadovaná vzdálenost",
- "vendor": "Výrobce",
- "quiet": "Tichý",
- "wake_word": "Probouzecí slovo",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Automatický zisk",
+ "ding": "Zvonek",
+ "last_recording": "Poslední záznam",
+ "intercom_unlock": "Odemknutí interkomem",
+ "doorbell_volume": "Hlasitost zvonku",
"mic_volume": "Hlasitost mikrofonu",
- "noise_suppression_level": "Úroveň potlačení hluku",
- "off": "Vypnuto",
+ "voice_volume": "Hlasitost hlasu",
+ "last_activity": "Poslední aktivita",
+ "last_ding": "Poslední zvonek",
+ "last_motion": "Poslední pohyb",
+ "wi_fi_signal_category": "Kategorie Wi-Fi signálu",
+ "wi_fi_signal_strength": "Síla Wi-Fi signálu",
+ "in_home_chime": "Domácí zvonkohra",
+ "compressor_energy_consumption": "Spotřeba energie kompresoru",
+ "compressor_estimated_power_consumption": "Odhadovaná spotřeba energie kompresoru",
+ "compressor_frequency": "Frekvence kompresoru",
+ "cool_energy_consumption": "Spotřeba chladicí energie",
+ "heat_energy_consumption": "Spotřeba tepelné energie",
+ "inside_temperature": "Vnitřní teplota",
+ "outside_temperature": "Venkovní teplota",
+ "device_admin": "Správa zařízení",
+ "kiosk_mode": "Režim Kiosek",
+ "plugged_in": "Zapojeno",
+ "load_start_url": "Načíst startovní URL",
+ "restart_browser": "Restartovat prohlížeč",
+ "restart_device": "Restartovat zařízení",
+ "send_to_background": "Odeslat na pozadí",
+ "bring_to_foreground": "Přenést do popředí",
+ "screenshot": "Snímek obrazovky",
+ "overlay_message": "Překryvná zpráva",
+ "screen_brightness": "Jas obrazovky",
+ "screen_off_timer": "Časovač vypnutí obrazovky",
+ "screensaver_brightness": "Jas spořiče obrazovky",
+ "screensaver_timer": "Časovač spořiče obrazovky",
+ "current_page": "Aktuální stránka",
+ "foreground_app": "Aplikace v popředí",
+ "internal_storage_free_space": "Volné místo v interním úložišti",
+ "internal_storage_total_space": "Celkové místo v interním úložišti",
+ "total_memory": "Celková paměť",
+ "screen_orientation": "Orientace obrazovky",
+ "kiosk_lock": "Zámek Kiosku",
+ "maintenance_mode": "Režim údržby",
+ "screensaver": "Spořič",
"animal": "Zvíře",
"detected": "Detekováno",
"animal_lens": "Objektiv zvířete 1",
@@ -1860,6 +1875,7 @@
"pir_sensitivity": "Citlivost PIR",
"zoom": "Zoom",
"auto_quick_reply_message": "Zpráva automatické rychlé odpovědi",
+ "off": "Vypnuto",
"auto_track_method": "Metoda automatické stopy",
"digital": "Digitální",
"digital_first": "Nejprve digitální",
@@ -1909,7 +1925,6 @@
"ptz_pan_position": "Poloha otáčení PTZ",
"ptz_tilt_position": "Poloha náklonu PTZ",
"sd_hdd_index_storage": "Úložiště SD {hdd_index}",
- "wi_fi_signal": "Signál Wi-Fi",
"auto_focus": "Automatické ostření",
"auto_tracking": "Automatické sledování",
"doorbell_button_sound": "Zvuk tlačítka zvonku",
@@ -1926,6 +1941,48 @@
"record": "Nahrát",
"record_audio": "Nahrát zvuk",
"siren_on_event": "Siréna při události",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Vytvořeno",
+ "size": "Velikost",
+ "size_in_bytes": "Velikost v bajtech",
+ "assist_in_progress": "Asistence probíhá",
+ "quiet": "Tichý",
+ "preferred": "Preferováno",
+ "finished_speaking_detection": "Detekce mluvení dokončena",
+ "aggressive": "Agresivní",
+ "relaxed": "Uvolněná",
+ "wake_word": "Probouzecí slovo",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "Verze agenta OS",
+ "apparmor_version": "Verze Apparmor",
+ "cpu_percent": "Procento CPU",
+ "disk_free": "Volné místo na disku",
+ "disk_total": "Na disku celkem",
+ "disk_used": "Využití disku",
+ "memory_percent": "Procento paměti",
+ "version": "Verze",
+ "newest_version": "Nejnovější verze",
+ "auto_gain": "Automatický zisk",
+ "noise_suppression_level": "Úroveň potlačení hluku",
+ "bytes_received": "Přijaté bajty",
+ "server_country": "Země serveru",
+ "server_id": "ID serveru",
+ "server_name": "Název serveru",
+ "ping": "Ping",
+ "upload": "Nahrávání",
+ "bytes_sent": "Odeslané bajty",
+ "working_location": "Pracovní místo",
+ "next_dawn": "Následující úsvit",
+ "next_dusk": "Následující soumrak",
+ "next_midnight": "Následující půlnoc",
+ "next_noon": "Následující poledne",
+ "next_rising": "Následující východ",
+ "next_setting": "Následující západ",
+ "solar_azimuth": "Solární azimut",
+ "solar_elevation": "Solární výška",
+ "solar_rising": "Solární východ",
"heavy": "Vysoká",
"button_down": "Tlačítko dolů",
"button_up": "Tlačítko nahoru",
@@ -1943,69 +2000,249 @@
"closing": "Zavírá se",
"failure": "Selhání",
"opened": "Otevřeno",
- "ding": "Zvonek",
- "last_recording": "Poslední záznam",
- "intercom_unlock": "Odemknutí interkomem",
- "doorbell_volume": "Hlasitost zvonku",
- "voice_volume": "Hlasitost hlasu",
- "last_activity": "Poslední aktivita",
- "last_ding": "Poslední zvonek",
- "last_motion": "Poslední pohyb",
- "wi_fi_signal_category": "Kategorie Wi-Fi signálu",
- "wi_fi_signal_strength": "Síla Wi-Fi signálu",
- "in_home_chime": "Domácí zvonkohra",
- "calibration": "Kalibrovat",
- "auto_lock_paused": "Automatické zamykání pozastaveno",
- "timeout": "Časový limit",
- "unclosed_alarm": "Alarm při nezavření",
- "unlocked_alarm": "Alarm při nezamknutí",
- "bluetooth_signal": "Signál Bluetooth",
- "light_level": "Úroveň světla",
- "momentary": "Chvilkový",
- "pull_retract": "Vysunout/Zasunout",
- "bytes_received": "Přijaté bajty",
- "server_country": "Země serveru",
- "server_id": "ID serveru",
- "server_name": "Název serveru",
- "ping": "Ping",
- "upload": "Nahrávání",
- "bytes_sent": "Odeslané bajty",
- "device_admin": "Správa zařízení",
- "kiosk_mode": "Režim Kiosek",
- "plugged_in": "Zapojeno",
- "load_start_url": "Načíst startovní URL",
- "restart_browser": "Restartovat prohlížeč",
- "restart_device": "Restartovat zařízení",
- "send_to_background": "Odeslat na pozadí",
- "bring_to_foreground": "Přenést do popředí",
- "screenshot": "Snímek obrazovky",
- "overlay_message": "Překryvná zpráva",
- "screen_brightness": "Jas obrazovky",
- "screen_off_timer": "Časovač vypnutí obrazovky",
- "screensaver_brightness": "Jas spořiče obrazovky",
- "screensaver_timer": "Časovač spořiče obrazovky",
- "current_page": "Aktuální stránka",
- "foreground_app": "Aplikace v popředí",
- "internal_storage_free_space": "Volné místo v interním úložišti",
- "internal_storage_total_space": "Celkové místo v interním úložišti",
- "total_memory": "Celková paměť",
- "screen_orientation": "Orientace obrazovky",
- "kiosk_lock": "Zámek Kiosku",
- "maintenance_mode": "Režim údržby",
- "screensaver": "Spořič",
- "last_scanned_by_device_id_name": "Naposledy naskenováno podle ID zařízení",
- "tag_id": "ID značky",
- "managed_via_ui": "Spravováno přes uživatelské rozhraní",
- "pattern": "Vzor",
- "minute": "Minuta",
- "second": "Sekunda",
- "timestamp": "Časové razítko",
- "stopped": "Zastavena",
+ "estimated_distance": "Odhadovaná vzdálenost",
+ "vendor": "Výrobce",
+ "accelerometer": "Akcelerometr",
+ "binary_input": "Binární vstup",
+ "calibrated": "Zkalibrováno",
+ "consumer_connected": "Spotřebič připojen",
+ "external_sensor": "Externí senzor",
+ "frost_lock": "Zámek proti mrazu",
+ "opened_by_hand": "Otevřeno ručně",
+ "heat_required": "Potřebné teplo",
+ "ias_zone": "Zóna IAS",
+ "linkage_alarm_state": "Propojitelný stav alarmu",
+ "mounting_mode_active": "Režim montáže je aktivní",
+ "open_window_detection_status": "Stav detekce otevřeného okna",
+ "pre_heat_status": "Stav předehřevu",
+ "replace_filter": "Vyměnit filtr",
+ "valve_alarm": "Alarm ventilu",
+ "open_window_detection": "Detekce otevřeného okna",
+ "feed": "Krmivo",
+ "frost_lock_reset": "Resetovat zámek proti mrazu",
+ "presence_status_reset": "Resetovat stav přítomnosti",
+ "reset_summation_delivered": "Resetovat doručený součet",
+ "self_test": "Autotest",
+ "keen_vent": "Ostrý průduch",
+ "fan_group": "Skupina ventilátorů",
+ "light_group": "Skupina světel",
+ "door_lock": "Zámek dveří",
+ "ambient_sensor_correction": "Korekce senzoru okolí",
+ "approach_distance": "Vzdálenost přiblížení",
+ "automatic_switch_shutoff_timer": "Časovač automatického vypnutí spínače",
+ "away_preset_temperature": "Teplota předvolby Pryč",
+ "boost_amount": "Objem zvýšení výkonu",
+ "button_delay": "Zpoždění tlačítka",
+ "local_default_dimming_level": "Místní výchozí úroveň stmívání",
+ "remote_default_dimming_level": "Vzdálená výchozí úroveň stmívání",
+ "default_move_rate": "Výchozí rychlost pohybu",
+ "detection_delay": "Zpoždění detekce",
+ "maximum_range": "Maximální dosah",
+ "minimum_range": "Minimální dosah",
+ "detection_interval": "Interval detekce",
+ "local_dimming_down_speed": "Rychlost místního snížení jasu",
+ "remote_dimming_down_speed": "Rychlost dálkového snížení jasu",
+ "local_dimming_up_speed": "Rychlost místního zvýšení jasu",
+ "remote_dimming_up_speed": "Rychlost dálkového zvýšení jasu",
+ "display_activity_timeout": "Zobrazit časový limit aktivity",
+ "display_brightness": "Jas displeje",
+ "display_inactive_brightness": "Jas neaktivního displeje",
+ "double_tap_down_level": "Úroveň dolů při dvojitém poklepání",
+ "double_tap_up_level": "Úroveň nahoru při dvojitém poklepání",
+ "exercise_start_time": "Čas zahájení cvičení",
+ "external_sensor_correction": "Korekce externího senzoru",
+ "external_temperature_sensor": "Senzor externí teploty",
+ "fading_time": "Doba blednutí",
+ "fallback_timeout": "Záložní časový limit",
+ "filter_life_time": "Životnost filtru",
+ "fixed_load_demand": "Pevný požadavek na zatížení",
+ "frost_protection_temperature": "Teplota ochrany proti mrazu",
+ "irrigation_cycles": "Zavlažovací cykly",
+ "irrigation_interval": "Interval zavlažování",
+ "irrigation_target": "Cíl zavlažování",
+ "led_color_when_off_name": "Výchozí barva při vypnutí všech LED",
+ "led_color_when_on_name": "Výchozí barva při zapnutí všech LED",
+ "led_intensity_when_off_name": "Výchozí intenzita při vypnutí všech LED",
+ "led_intensity_when_on_name": "Výchozí intenzita při zapnutí všech LED",
+ "load_level_indicator_timeout": "Časový limit indikátoru úrovně zatížení",
+ "load_room_mean": "Průměr nákladového prostoru",
+ "local_temperature_offset": "Posun místní teploty",
+ "max_heat_setpoint_limit": "Maximální limit žádané hodnoty tepla",
+ "maximum_load_dimming_level": "Maximální úroveň zátěže pro stmívání",
+ "min_heat_setpoint_limit": "Minimální limit žádané hodnoty tepla",
+ "minimum_load_dimming_level": "Minimální úroveň zátěže pro stmívání",
+ "off_led_intensity": "Intenzita LED pro vypnuto",
+ "off_transition_time": "Doba přechodu pro vypnutí",
+ "on_led_intensity": "Intenzita LED pro zapnuto",
+ "on_level": "Úroveň při zapnutí",
+ "on_off_transition_time": "Doba přechodu pro Zapnuto/Vypnuto.",
+ "on_transition_time": "Doba přechodu pro zapnutí",
+ "open_window_detection_guard_period_name": "Doba hlídání detekce otevřeného okna",
+ "open_window_detection_threshold": "Práh detekce otevřeného okna",
+ "open_window_event_duration": "Doba trvání události otevření okna",
+ "portion_weight": "Hmotnost porce",
+ "presence_detection_timeout": "Časový limit detekce přítomnosti",
+ "presence_sensitivity": "Citlivost přítomnosti",
+ "fade_time": "Čas slábnutí",
+ "quick_start_time": "Čas rychlého startu",
+ "ramp_rate_off_to_on_local_name": "Místní rychlost náběhu z Vypnuto do Zapnuto.",
+ "ramp_rate_off_to_on_remote_name": "Vzdálená rychlost náběhu z Vypnuto do Zapnuto.",
+ "ramp_rate_on_to_off_local_name": "Místní rychlost náběhu ze Zapnuto do Vypnuto.",
+ "ramp_rate_on_to_off_remote_name": "Vzdálená rychlost náběhu ze Zapnuto do Vypnuto.",
+ "regulation_setpoint_offset": "Posun požadované hodnoty regulace",
+ "regulator_set_point": "Nastavená hodnota regulátoru",
+ "serving_to_dispense": "Podávání k výdeji",
+ "siren_time": "Čas sirény",
+ "start_up_color_temperature": "Teplota barev při spuštění",
+ "start_up_current_level": "Aktuální úroveň při spuštění",
+ "start_up_default_dimming_level": "Výchozí úroveň stmívání při spuštění",
+ "timer_duration": "Doba trvání časovače",
+ "timer_time_left": "Zbývající čas časovače",
+ "transmit_power": "Vysílací výkon",
+ "valve_closing_degree": "Stupeň uzavření ventilu",
+ "irrigation_time": "Doba zavlažování 2",
+ "valve_opening_degree": "Stupeň otevření ventilu",
+ "adaptation_run_command": "Příkaz spuštění adaptace",
+ "backlight_mode": "Režim podsvícení",
+ "click_mode": "Režim klepnutí",
+ "control_type": "Typ ovládání",
+ "decoupled_mode": "Oddělený režim",
+ "default_siren_level": "Výchozí úroveň sirény",
+ "default_siren_tone": "Výchozí tón sirény",
+ "default_strobe": "Výchozí stroboskop",
+ "default_strobe_level": "Výchozí úroveň stroboskopu",
+ "detection_distance": "Vzdálenost detekce",
+ "detection_sensitivity": "Citlivost detekce",
+ "exercise_day_of_week_name": "Den cvičení v týdnu",
+ "external_temperature_sensor_type": "Typ externího teplotního čidla",
+ "external_trigger_mode": "Režim externího spouštění",
+ "heat_transfer_medium": "Médium pro přenos tepla",
+ "heating_emitter_type": "Typ topného zářiče",
+ "heating_fuel": "Palivo pro vytápění",
+ "non_neutral_output": "Ne-neutrální výstup",
+ "irrigation_mode": "Režim zavlažování",
+ "keypad_lockout": "Uzamčení klávesnice",
+ "dimming_mode": "Režim stmívání",
+ "led_scaling_mode": "Režim škálování LED",
+ "local_temperature_source": "Místní zdroj teploty",
+ "monitoring_mode": "Režim sledování",
+ "off_led_color": "Barva LED pro vypnuto",
+ "on_led_color": "Barva LED pro zapnuto",
+ "operation_mode": "Provozní režim",
+ "output_mode": "Výstupní režim",
+ "power_on_state": "Stav při zapnutí",
+ "regulator_period": "Regulační období",
+ "sensor_mode": "Režim senzoru",
+ "setpoint_response_time": "Nastavená doba odezvy",
+ "smart_fan_led_display_levels_name": "Úrovně LED displeje chytrého ventilátoru",
+ "start_up_behavior": "Chování při spuštění",
+ "switch_mode": "Režim přepínání",
+ "switch_type": "Typ spínače",
+ "thermostat_application": "Aplikace termostatu",
+ "thermostat_mode": "Režim termostatu",
+ "valve_orientation": "Orientace ventilu",
+ "viewing_direction": "Směr pohledu",
+ "weather_delay": "Zpoždění počasí",
+ "curtain_mode": "Režim záclony",
+ "ac_frequency": "Frekvence AC",
+ "adaptation_run_status": "Stav adaptačního běhu",
+ "in_progress": "Probíhá",
+ "run_successful": "Běh byl úspěšný",
+ "valve_characteristic_lost": "Ztráta charakteristiky ventilu",
+ "analog_input": "Analogový vstup",
+ "control_status": "Stav ovládání",
+ "device_run_time": "Doba chodu zařízení",
+ "device_temperature": "Teplota zařízení",
+ "target_distance": "Cílová vzdálenost",
+ "filter_run_time": "Doba provozu filtru",
+ "formaldehyde_concentration": "Koncentrace formaldehydu",
+ "hooks_state": "Stav háčků",
+ "hvac_action": "Akce HVAC",
+ "instantaneous_demand": "Okamžitá poptávka",
+ "irrigation_duration": "Doba zavlažování 1",
+ "last_irrigation_duration": "Doba posledního zavlažování",
+ "irrigation_end_time": "Čas ukončení zavlažování",
+ "irrigation_start_time": "Čas zahájení zavlažování",
+ "last_feeding_size": "Poslední velikost krmení",
+ "last_feeding_source": "Poslední zdroj krmení",
+ "last_illumination_state": "Poslední stav osvětlení",
+ "last_valve_open_duration": "Doba posledního otevření ventilu",
+ "leaf_wetness": "Vlhkost listů",
+ "load_estimate": "Odhadovaná zátěž",
+ "floor_temperature": "Teplota podlahy",
+ "lqi": "LQI",
+ "motion_distance": "Vzdálenost pohybu",
+ "motor_stepcount": "Počet kroků motoru",
+ "open_window_detected": "Detekováno otevřené okno",
+ "overheat_protection": "Ochrana proti přehřátí",
+ "pi_heating_demand": "Požadavek na vytápění Pi",
+ "portions_dispensed_today": "Dnes vydaných porcí",
+ "pre_heat_time": "Doba předehřevu",
+ "rssi": "RSSI",
+ "self_test_result": "Výsledek autotestu",
+ "setpoint_change_source": "Zdroj změny nastavené hodnoty",
+ "smoke_density": "Hustota kouře",
+ "software_error": "Chyba softwaru",
+ "good": "Dobrá",
+ "critical_low_battery": "Kriticky vybitá baterie",
+ "encoder_jammed": "Kodér se zasekl",
+ "invalid_clock_information": "Neplatné informace hodin",
+ "invalid_internal_communication": "Neplatná interní komunikace",
+ "low_battery": "Vybitá baterie",
+ "motor_error": "Chyba motoru",
+ "non_volatile_memory_error": "Chyba nevolatilní paměti",
+ "radio_communication_error": "Chyba rádiové komunikace",
+ "side_pcb_sensor_error": "Chyba senzoru bočního PCB",
+ "top_pcb_sensor_error": "Chyba senzoru vrchního PCB",
+ "unknown_hw_error": "Neznámá HW chyba",
+ "soil_moisture": "Vlhkost půdy",
+ "summation_delivered": "Souhrn dodávky",
+ "summation_received": "Shrnutí přijato",
+ "tier_summation_delivered": "Dodán součet úrovně 6",
+ "timer_state": "Stav časovače",
+ "weight_dispensed_today": "Vydaná hmotnost dnes",
+ "window_covering_type": "Typ okenní krytiny",
+ "adaptation_run_enabled": "Adaptační běh povolen",
+ "aux_switch_scenes": "Scény s pomocným spínačem",
+ "binding_off_to_on_sync_level_name": "Navázání na úroveň synchronizace",
+ "buzzer_manual_alarm": "Alarm ručního bzučáku",
+ "buzzer_manual_mute": "Ztlumený ruční bzučák",
+ "detach_relay": "Odpojit relé",
+ "disable_clear_notifications_double_tap_name": "Zakázat nastavení dvojího klepnutí pro vymazání oznámení",
+ "disable_led": "Zakázat LED",
+ "double_tap_down_enabled": "Dolů při dvojitém poklepání povoleno",
+ "double_tap_up_enabled": "Nahoru při dvojitém poklepání povoleno",
+ "double_up_full_name": "Dvojité poklepání - plné",
+ "enable_siren": "Povolit sirénu",
+ "external_window_sensor": "Externí okenní senzor",
+ "distance_switch": "Spínač vzdálenosti",
+ "firmware_progress_led": "LED průběhu firmwaru",
+ "heartbeat_indicator": "Indikátor srdečního tepu",
+ "heat_available": "Teplo k dispozici",
+ "hooks_locked": "Háčky uzamčeny",
+ "invert_switch": "Otočit spínač",
+ "inverted": "Převráceno",
+ "led_indicator": "Indikátor LED",
+ "linkage_alarm": "Propojitelný alarm",
+ "local_protection": "Místní ochrana",
+ "mounting_mode": "Montážní režim",
+ "only_led_mode": "Režim jen 1 LED",
+ "open_window": "Otevřít okno",
+ "power_outage_memory": "Paměť při výpadku proudu",
+ "prioritize_external_temperature_sensor": "Upřednostnit externí teplotní senzor",
+ "relay_click_in_on_off_mode_name": "Zakázat cvaknutí relé v režimu Zapnuto/Vypnuto",
+ "smart_bulb_mode": "Režim chytré žárovky",
+ "smart_fan_mode": "Režim chytrého ventilátoru",
+ "led_trigger_indicator": "Indikátor LED spuštění",
+ "turbo_mode": "Režim Turbo",
+ "use_internal_window_detection": "Použít vnitřní detekci oken",
+ "use_load_balancing": "Použít vyvažování zátěže",
+ "valve_detection": "Detekce ventilu",
+ "window_detection": "Detekce okna",
+ "invert_window_detection": "Obrátit detekci okna",
+ "available_tones": "Dostupné tóny",
"device_trackers": "Sledovače zařízení",
"gps_accuracy": "Přesnost GPS",
- "paused": "Pozastaveno",
- "finishes_at": "Končí v",
- "remaining": "Zbývá",
"last_reset": "Poslední resetování",
"possible_states": "Možné stavy",
"state_class": "Třída stavu",
@@ -2038,81 +2275,12 @@
"sound_pressure": "Akustický tlak",
"speed": "Rychlost",
"sulphur_dioxide": "Oxid siřičitý",
+ "timestamp": "Časové razítko",
"vocs": "VOC",
"volume_flow_rate": "Objem průtoku",
"stored_volume": "Uložené množství",
"weight": "Hmotnost",
- "cool": "Chlazení",
- "fan_only": "Jen ventilátor",
- "heat_cool": "Vytápění/Chlazení",
- "aux_heat": "Přídavné topení",
- "current_humidity": "Aktuální vlhkost",
- "current_temperature": "Current Temperature",
- "fan_mode": "Režim ventilátoru",
- "diffuse": "Difuzní",
- "middle": "Prostřední",
- "top": "Horní",
- "current_action": "Aktuální akce",
- "defrosting": "Rozmrazování",
- "heating": "Vytápění",
- "preheating": "Předehřev",
- "max_target_humidity": "Maximální cílová vlhkost",
- "max_target_temperature": "Maximální cílová teplota",
- "min_target_humidity": "Minimální cílová vlhkost",
- "min_target_temperature": "Minimální cílová teplota",
- "boost": "Boost",
- "comfort": "Komfort",
- "eco": "ECO",
- "sleep": "Spánek",
- "presets": "Předvolby",
- "horizontal_swing_mode": "Režim horizontálního kmitání",
- "swing_mode": "Režim kmitání",
- "both": "Oba",
- "horizontal": "Horizontální",
- "upper_target_temperature": "Vysoká cílová teplota",
- "lower_target_temperature": "Nízká cílová teplota",
- "target_temperature_step": "Krok cílové teploty",
- "step": "Krok",
- "not_charging": "Nenabíjí se",
- "unplugged": "Odpojeno",
- "connected": "Připojeno",
- "hot": "Horko",
- "no_light": "Žádné světlo",
- "light_detected": "Detekováno světlo",
- "locked": "Zamčeno",
- "unlocked": "Odemčeno",
- "not_moving": "Nehýbe se",
- "not_running": "Neběží",
- "safe": "Zajištěno",
- "unsafe": "Nezajištěno",
- "tampering_detected": "Byla detekována manipulace",
- "automatic": "Automaticky",
- "box": "Box",
- "above_horizon": "Nad obzorem",
- "below_horizon": "Pod obzorem",
- "buffering": "Ukládání do vyrovnávací paměti",
- "playing": "Přehrává",
- "standby": "Připraveno",
- "app_id": "ID aplikace",
- "local_accessible_entity_picture": "Místně dostupný obrázek entity",
- "group_members": "Členové skupiny",
- "muted": "Ztlumeno",
- "album_artist": "Umělec alba",
- "content_id": "ID obsahu",
- "content_type": "Typ obsahu",
- "channels": "Kanály",
- "position_updated": "Pozice aktualizována",
- "series": "Série",
- "all": "Vše",
- "one": "Jednu",
- "available_sound_modes": "Dostupné režimy zvuku",
- "available_sources": "Dostupné zdroje",
- "receiver": "Přijímač",
- "speaker": "Reproduktor",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Spravováno přes uživatelské rozhraní",
"color_mode": "Color Mode",
"brightness_only": "Jen jas",
"hs": "HS",
@@ -2128,13 +2296,33 @@
"minimum_color_temperature_kelvin": "Minimální teplota barvy (v Kelvinech)",
"minimum_color_temperature_mireds": "Minimální teplota barvy (v miredech)",
"available_color_modes": "Dostupné režimy barev",
- "available_tones": "Dostupné tóny",
"docked": "V doku",
"mowing": "Sečení",
+ "paused": "Pozastaveno",
"returning": "Vracející se",
+ "pattern": "Vzor",
+ "running_automations": "Spuštěné automatizace",
+ "max_running_scripts": "Maximální počet spuštěných skriptů",
+ "run_mode": "Režim spuštění",
+ "parallel": "Paralelně",
+ "queued": "Fronta",
+ "single": "Jediný",
+ "auto_update": "Automatická aktualizace",
+ "installed_version": "Nainstalovaná verze",
+ "release_summary": "Přehled vydání",
+ "release_url": "URL vydání",
+ "skipped_version": "Přeskočená verze",
+ "firmware": "Firmware",
"oscillating": "Oscilace",
"speed_step": "Krok rychlosti",
"available_preset_modes": "Dostupné přednastavené režimy",
+ "minute": "Minuta",
+ "second": "Sekunda",
+ "next_event": "Další událost",
+ "step": "Krok",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Jasná noc",
"cloudy": "Oblačno",
"exceptional": "Vyjímečné",
@@ -2157,25 +2345,9 @@
"uv_index": "Index UV",
"wind_bearing": "Směr větru",
"wind_gust_speed": "Rychlost nárazového větru",
- "auto_update": "Automatická aktualizace",
- "in_progress": "Probíhá",
- "installed_version": "Nainstalovaná verze",
- "release_summary": "Přehled vydání",
- "release_url": "URL vydání",
- "skipped_version": "Přeskočená verze",
- "firmware": "Firmware",
- "armed_away": "Zabezpečeno a pryč",
- "armed_custom_bypass": "Zabezpečeno vlastním obejitím",
- "armed_home": "Zabezpečeno na doma",
- "armed_night": "Zabezpečeno na noc",
- "armed_vacation": "Zabezpečeno a na dovolené",
- "disarming": "Rušení zabezpečení",
- "triggered": "Spuštěno",
- "changed_by": "Změněno",
- "code_for_arming": "Kód pro zabezpečení",
- "not_required": "Nepovinné",
- "code_format": "Formát kódu",
"identify": "Identifikovat",
+ "cleaning": "Uklízí",
+ "returning_to_dock": "Návrat do doku",
"recording": "Nahrává",
"streaming": "Streamuje",
"access_token": "Přístupový token",
@@ -2183,95 +2355,139 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
- "end_time": "Čas ukončení",
- "start_time": "Čas zahájení",
- "next_event": "Další událost",
- "garage": "Garáž",
- "event_type": "Typ události",
- "event_types": "Typy událostí",
- "running_automations": "Spuštěné automatizace",
- "id": "ID",
- "max_running_automations": "Maximální počet spuštěných automatizací",
- "run_mode": "Režim spuštění",
- "parallel": "Paralelně",
- "queued": "Fronta",
- "single": "Jediný",
- "cleaning": "Uklízí",
- "returning_to_dock": "Návrat do doku",
- "listening": "Poslouchání",
- "processing": "Zpracovávání",
- "responding": "Odpovídání",
- "max_running_scripts": "Maximální počet spuštěných skriptů",
+ "last_scanned_by_device_id_name": "Naposledy naskenováno podle ID zařízení",
+ "tag_id": "ID značky",
+ "automatic": "Automaticky",
+ "box": "Box",
"jammed": "Zaseknuto",
+ "locked": "Zamčeno",
"locking": "Zamykání",
+ "unlocked": "Odemčeno",
"unlocking": "Odemykání",
+ "changed_by": "Změněno",
+ "code_format": "Formát kódu",
"members": "Členové",
- "known_hosts": "Známí hostitelé",
- "google_cast_configuration": "Nastavení Google Cast",
- "confirm_description": "Chcete nastavit {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Účet je již nastaven",
- "abort_already_in_progress": "Nastavení již probíhá",
- "failed_to_connect": "Nepodařilo se připojit",
- "invalid_access_token": "Neplatný přístupový token",
- "invalid_authentication": "Neplatné ověření",
- "received_invalid_token_data": "Přijata neplatná data tokenu.",
- "abort_oauth_failed": "Chyba při získávání přístupového tokenu.",
- "timeout_resolving_oauth_token": "Při řešení tokenu OAuth vypršel časový limit.",
- "abort_oauth_unauthorized": "Chyba autorizace OAuth při získávání přístupového tokenu.",
- "re_authentication_was_successful": "Opětovné ověření bylo úspěšné",
- "unexpected_error": "Neočekávaná chyba",
- "successfully_authenticated": "Úspěšně ověřeno",
- "link_fitbit": "Propojit Fitbit",
- "pick_authentication_method": "Vybrat metodu ověření",
- "authentication_expired_for_name": "Platnost ověření pro {name} vypršela",
+ "listening": "Poslouchání",
+ "processing": "Zpracovávání",
+ "responding": "Odpovídání",
+ "id": "ID",
+ "max_running_automations": "Maximální počet spuštěných automatizací",
+ "cool": "Chlazení",
+ "fan_only": "Jen ventilátor",
+ "heat_cool": "Vytápění/Chlazení",
+ "aux_heat": "Přídavné topení",
+ "current_humidity": "Aktuální vlhkost",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Režim ventilátoru",
+ "diffuse": "Difuzní",
+ "middle": "Prostřední",
+ "top": "Horní",
+ "current_action": "Aktuální akce",
+ "defrosting": "Rozmrazování",
+ "preheating": "Předehřev",
+ "max_target_humidity": "Maximální cílová vlhkost",
+ "max_target_temperature": "Maximální cílová teplota",
+ "min_target_humidity": "Minimální cílová vlhkost",
+ "min_target_temperature": "Minimální cílová teplota",
+ "boost": "Zvýšit výkon",
+ "comfort": "Komfort",
+ "eco": "ECO",
+ "sleep": "Spánek",
+ "presets": "Předvolby",
+ "horizontal_swing_mode": "Režim horizontálního kmitání",
+ "swing_mode": "Režim kmitání",
+ "both": "Oba",
+ "horizontal": "Horizontální",
+ "upper_target_temperature": "Vysoká cílová teplota",
+ "lower_target_temperature": "Nízká cílová teplota",
+ "target_temperature_step": "Krok cílové teploty",
+ "stopped": "Zastaveno",
+ "garage": "Garáž",
+ "not_charging": "Nenabíjí se",
+ "unplugged": "Odpojeno",
+ "connected": "Připojeno",
+ "hot": "Horko",
+ "no_light": "Žádné světlo",
+ "light_detected": "Detekováno světlo",
+ "not_moving": "Nehýbe se",
+ "not_running": "Neběží",
+ "safe": "Zajištěno",
+ "unsafe": "Nezajištěno",
+ "tampering_detected": "Byla detekována manipulace",
+ "buffering": "Ukládání do vyrovnávací paměti",
+ "playing": "Přehrává",
+ "standby": "Připraveno",
+ "app_id": "ID aplikace",
+ "local_accessible_entity_picture": "Místně dostupný obrázek entity",
+ "group_members": "Členové skupiny",
+ "muted": "Ztlumeno",
+ "album_artist": "Umělec alba",
+ "content_id": "ID obsahu",
+ "content_type": "Typ obsahu",
+ "channels": "Kanály",
+ "position_updated": "Pozice aktualizována",
+ "series": "Série",
+ "all": "Vše",
+ "one": "Jednu",
+ "available_sound_modes": "Dostupné režimy zvuku",
+ "available_sources": "Dostupné zdroje",
+ "receiver": "Přijímač",
+ "speaker": "Reproduktor",
+ "tv": "TV",
+ "end_time": "Čas ukončení",
+ "start_time": "Čas zahájení",
+ "event_type": "Typ události",
+ "event_types": "Typy událostí",
+ "above_horizon": "Nad obzorem",
+ "below_horizon": "Pod obzorem",
+ "armed_away": "Zabezpečeno a pryč",
+ "armed_custom_bypass": "Zabezpečeno vlastním obejitím",
+ "armed_home": "Zabezpečeno na doma",
+ "armed_night": "Zabezpečeno na noc",
+ "armed_vacation": "Zabezpečeno a na dovolené",
+ "disarming": "Rušení zabezpečení",
+ "triggered": "Spuštěno",
+ "code_for_arming": "Kód pro zabezpečení",
+ "not_required": "Nepovinné",
+ "finishes_at": "Končí v",
+ "remaining": "Zbývá",
"device_is_already_configured": "Zařízení je již nastaveno",
+ "failed_to_connect": "Nepodařilo se připojit",
"abort_no_devices_found": "V síti nebyla nalezena žádná zařízení",
+ "re_authentication_was_successful": "Opětovné ověření bylo úspěšné",
"re_configuration_was_successful": "Přenastavení bylo úspěšné",
"connection_error_error": "Chyba připojení: {error}",
"unable_to_authenticate_error": "Nelze ověřit: {error}",
"camera_stream_authentication_failed": "Ověření proudu kamery se nezdařilo",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "Povolit živý náhled kamery",
- "username": "Uživatelské jméno",
+ "username": "Username",
"camera_auth_confirm_description": "Zadejte přihlašovací údaje účtu kamery.",
"set_camera_account_credentials": "Nastavit přihlašovací údaje k účtu kamery",
"authenticate": "Ověřit",
+ "authentication_expired_for_name": "Platnost ověření pro {name} vypršela",
"host": "Host",
"reconfigure_description": "Aktualizuje nastavení pro zařízení {mac}.",
"reconfigure_tplink_entry": "Přenastavit položku TP-Link",
"abort_single_instance_allowed": "Již nastaveno. Je možné jen jediné nastavení.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Chcete začít nastavovat?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Chyba při komunikaci s rozhraním SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Nepodporovaný typ Switchbot.",
+ "unexpected_error": "Neočekávaná chyba",
+ "authentication_failed_error_detail": "Ověření se nezdařilo: {error_detail}",
+ "error_encryption_key_invalid": "ID klíče nebo šifrovací klíč je neplatný",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Chcete nastavit {name}?",
+ "switchbot_account_recommended": "Účet SwitchBot (doporučeno)",
+ "enter_encryption_key_manually": "Zadat šifrovací klíč ručně",
+ "encryption_key": "Šifrovací klíč",
+ "key_id": "ID klíče",
+ "password_description": "Heslo pro ochranu zálohy.",
+ "mac_address": "MAC adresa",
"service_is_already_configured": "Služba je již nastavena",
- "invalid_ics_file": "Neplatný soubor .ics",
- "calendar_name": "Název kalendáře",
- "starting_data": "Počáteční data",
+ "abort_already_in_progress": "Nastavení již probíhá",
"abort_invalid_host": "Neplatný hostitel nebo IP adresa",
"device_not_supported": "Zařízení není podporováno",
+ "invalid_authentication": "Neplatné ověření",
"name_model_at_host": "{name} ({model} na {host})",
"authenticate_to_the_device": "Ověřit zařízení",
"finish_title": "Zvolit název zařízení",
@@ -2279,62 +2495,27 @@
"yes_do_it": "Ano, udělat to.",
"unlock_the_device_optional": "Odemknout zařízení (volitelné)",
"connect_to_the_device": "Připojit se k zařízení",
- "abort_missing_credentials": "Integrace vyžaduje přihlašovací údaje aplikace.",
- "timeout_establishing_connection": "Vypršel časový limit pro navázání spojení",
- "link_google_account": "Propojit účet Google",
- "path_is_not_allowed": "Cesta není povolena",
- "path_is_not_valid": "Cesta není platná",
- "path_to_file": "Cesta k souboru",
- "api_key": "Klíč API",
- "configure_daikin_ac": "Nastavit klimatizaci Daikin",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adaptér",
- "multiple_adapters_description": "Zvolí adaptér Bluetooth k nastavení.",
- "arm_away_action": "Akce Zabezpečit a pryč",
- "arm_custom_bypass_action": "Akce Zabezpečit vlastním obejitím",
- "arm_home_action": "Akce Zabezpečit a doma",
- "arm_night_action": "Akce Zabezpečit na noc",
- "arm_vacation_action": "Akce Zabezpečit a na dovolené",
- "code_arm_required": "Je vyžadován kód pro zabezpečení",
- "disarm_action": "Akce odbezpečení",
- "trigger_action": "Spustit akci",
- "value_template": "Šablona hodnoty",
- "template_alarm_control_panel": "Šablona ovládacího panelu alarmu",
- "device_class": "Třída zařízení",
- "state_template": "Stav šablony",
- "template_binary_sensor": "Šablona binárního senzoru",
- "actions_on_press": "Akce při tisku",
- "template_button": "Tlačítko šablony",
- "verify_ssl_certificate": "Ověřit certifikát SSL",
- "template_image": "Šablona obrázku",
- "actions_on_set_value": "Akce na nastavené hodnotě",
- "step_value": "Hodnota kroku",
- "template_number": "Šablony čísla",
- "available_options": "Dostupné volby",
- "actions_on_select": "Akce při výběru",
- "template_select": "Výběr šablony",
- "template_sensor": "Šablona senzoru",
- "actions_on_turn_off": "Akce při vypnutí",
- "actions_on_turn_on": "Akce při zapnutí",
- "template_switch": "Šablona spínače",
- "template_a_button": "Šablona tlačítka",
- "template_a_number": "Šablona čísla",
- "template_helper": "Pomocník podle šablony",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Účet je již nastaven",
+ "invalid_access_token": "Neplatný přístupový token",
+ "received_invalid_token_data": "Přijata neplatná data tokenu.",
+ "abort_oauth_failed": "Chyba při získávání přístupového tokenu.",
+ "timeout_resolving_oauth_token": "Při řešení tokenu OAuth vypršel časový limit.",
+ "abort_oauth_unauthorized": "Chyba autorizace OAuth při získávání přístupového tokenu.",
+ "successfully_authenticated": "Úspěšně ověřeno",
+ "link_fitbit": "Propojit Fitbit",
+ "pick_authentication_method": "Vybrat metodu ověření",
+ "two_factor_code": "Kód dvoufaktorového ověření",
+ "two_factor_authentication": "Dvoufaktorové ověření",
+ "reconfigure_ring_integration": "Přenastavit integraci Ring",
+ "sign_in_with_ring_account": "Přihlásit se k účtu Ring",
+ "abort_alternative_integration": "Zařízení je lépe podporováno jinou integrací",
+ "abort_incomplete_config": "V nastavení chybí požadovaná proměnná",
+ "manual_description": "URL k souboru XML s popisem zařízení",
+ "manual_title": "Ruční připojení zařízení DLNA DMR",
+ "discovered_dlna_dmr_devices": "Zjištěná zařízení DLNA DMR",
+ "broadcast_address": "IP adresa, kam poslat magický paket",
+ "broadcast_port": "Port, kam poslat magický paket",
"abort_addon_info_failed": "Nepodařilo se získat informace o doplňku {addon}.",
"abort_addon_install_failed": "Nepodařilo se nainstalovat doplněk {addon}.",
"abort_addon_start_failed": "Nepodařilo se spustit doplněk {addon}.",
@@ -2361,48 +2542,47 @@
"starting_add_on": "Spouštění doplňku",
"menu_options_addon": "Použít oficiální doplněk {addon}",
"menu_options_broker": "Ručně zadejte podrobnosti o připojení zprostředkovatele MQTT",
- "bridge_is_already_configured": "Most je již nastaven",
- "no_deconz_bridges_discovered": "Nebyly nalezeny žádné mosty deCONZ",
- "abort_no_hardware_available": "K deCONZ není připojeno žádné rádiové zařízení",
- "abort_updated_instance": "Instance deCONZ aktualizována s novým hostitelem",
- "error_linking_not_possible": "Nelze se propojit s bránou",
- "error_no_key": "Nelze získat klíč API",
- "link_with_deconz": "Propojit s deCONZ",
- "select_discovered_deconz_gateway": "Vyberte zjištěnou bránu deCONZ",
- "pin_code": "PIN kód",
- "discovered_android_tv": "Zjištěná Android TV",
- "abort_mdns_missing_mac": "Chybějící MAC adresa ve vlastnostech MDNS.",
- "abort_mqtt_missing_api": "Chybějící port API ve vlastnostech MQTT.",
- "abort_mqtt_missing_ip": "Chybějící IP adresa ve vlastnostech MQTT.",
- "abort_mqtt_missing_mac": "Chybějící MAC adresa ve vlastnostech MQTT.",
- "missing_mqtt_payload": "Chybějící datová část MQTT.",
- "action_received": "Akce přijata",
- "discovered_esphome_node": "Nalezen uzel ESPHome",
- "encryption_key": "Šifrovací klíč",
- "no_port_for_endpoint": "Žádný port pro koncový bod",
- "abort_no_services": "Na koncovém bodu nebyly nalezeny žádné služby",
- "discovered_wyoming_service": "Zjištěna služba Wyoming",
- "abort_alternative_integration": "Zařízení je lépe podporováno jinou integrací",
- "abort_incomplete_config": "V nastavení chybí požadovaná proměnná",
- "manual_description": "URL k souboru XML s popisem zařízení",
- "manual_title": "Ruční připojení zařízení DLNA DMR",
- "discovered_dlna_dmr_devices": "Zjištěná zařízení DLNA DMR",
+ "api_key": "Klíč API",
+ "configure_daikin_ac": "Nastavit klimatizaci Daikin",
+ "cannot_connect_details_error_detail": "Nelze spojit. Podrobnosti: {error_detail}",
+ "unknown_details_error_detail": "Neznámé. Podrobnosti: {error_detail}",
+ "uses_an_ssl_certificate": "Používá SSL certifikát",
+ "verify_ssl_certificate": "Ověřit certifikát SSL",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adaptér",
+ "multiple_adapters_description": "Zvolí adaptér Bluetooth k nastavení.",
"api_error_occurred": "Došlo k chybě API",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Povolit HTTPS",
- "broadcast_address": "IP adresa, kam poslat magický paket",
- "broadcast_port": "Port, kam poslat magický paket",
- "mac_address": "MAC adresa",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 není podporována.",
- "error_custom_port_not_supported": "Zařízení Gen1 nepodporuje vlastní port.",
- "two_factor_code": "Kód dvoufaktorového ověření",
- "two_factor_authentication": "Dvoufaktorové ověření",
- "reconfigure_ring_integration": "Přenastavit integraci Ring",
- "sign_in_with_ring_account": "Přihlásit se k účtu Ring",
+ "timeout_establishing_connection": "Vypršel časový limit pro navázání spojení",
+ "link_google_account": "Propojit účet Google",
+ "path_is_not_allowed": "Cesta není povolena",
+ "path_is_not_valid": "Cesta není platná",
+ "path_to_file": "Cesta k souboru",
+ "pin_code": "PIN kód",
+ "discovered_android_tv": "Zjištěná Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "Všechny entity",
"hide_members": "Skrýt členy",
"create_group": "Vytvořit skupinu",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignorovat nečíselné hodnoty",
"data_round_digits": "Zaokrouhlit hodnotu na počet desetinných míst",
"type": "Typ",
@@ -2410,29 +2590,199 @@
"button_group": "Skupina tlačítek",
"cover_group": "Skupina rolet",
"event_group": "Skupina událostí",
- "fan_group": "Skupina ventilátorů",
- "light_group": "Skupina světel",
"lock_group": "Skupina zámků",
"media_player_group": "Skupina přehrávačů médií",
"notify_group": "Upozornit skupinu",
"sensor_group": "Skupina senzorů",
"switch_group": "Skupina spínačů",
- "abort_api_error": "Chyba při komunikaci s rozhraním SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Nepodporovaný typ Switchbot.",
- "authentication_failed_error_detail": "Ověření se nezdařilo: {error_detail}",
- "error_encryption_key_invalid": "ID klíče nebo šifrovací klíč je neplatný",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "Účet SwitchBot (doporučeno)",
- "enter_encryption_key_manually": "Zadat šifrovací klíč ručně",
- "key_id": "ID klíče",
- "password_description": "Heslo pro ochranu zálohy.",
- "device_address": "Adresa zařízení",
- "cannot_connect_details_error_detail": "Nelze spojit. Podrobnosti: {error_detail}",
- "unknown_details_error_detail": "Neznámé. Podrobnosti: {error_detail}",
- "uses_an_ssl_certificate": "Používá SSL certifikát",
+ "known_hosts": "Známí hostitelé",
+ "google_cast_configuration": "Nastavení Google Cast",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Chybějící MAC adresa ve vlastnostech MDNS.",
+ "abort_mqtt_missing_api": "Chybějící port API ve vlastnostech MQTT.",
+ "abort_mqtt_missing_ip": "Chybějící IP adresa ve vlastnostech MQTT.",
+ "abort_mqtt_missing_mac": "Chybějící MAC adresa ve vlastnostech MQTT.",
+ "missing_mqtt_payload": "Chybějící datová část MQTT.",
+ "action_received": "Akce přijata",
+ "discovered_esphome_node": "Nalezen uzel ESPHome",
+ "bridge_is_already_configured": "Most je již nastaven",
+ "no_deconz_bridges_discovered": "Nebyly nalezeny žádné mosty deCONZ",
+ "abort_no_hardware_available": "K deCONZ není připojeno žádné rádiové zařízení",
+ "abort_updated_instance": "Instance deCONZ aktualizována s novým hostitelem",
+ "error_linking_not_possible": "Nelze se propojit s bránou",
+ "error_no_key": "Nelze získat klíč API",
+ "link_with_deconz": "Propojit s deCONZ",
+ "select_discovered_deconz_gateway": "Vyberte zjištěnou bránu deCONZ",
+ "abort_missing_credentials": "Integrace vyžaduje přihlašovací údaje aplikace.",
+ "no_port_for_endpoint": "Žádný port pro koncový bod",
+ "abort_no_services": "Na koncovém bodu nebyly nalezeny žádné služby",
+ "discovered_wyoming_service": "Zjištěna služba Wyoming",
+ "ipv_is_not_supported": "IPv6 není podporována.",
+ "error_custom_port_not_supported": "Zařízení Gen1 nepodporuje vlastní port.",
+ "arm_away_action": "Akce Zabezpečit a pryč",
+ "arm_custom_bypass_action": "Akce Zabezpečit vlastním obejitím",
+ "arm_home_action": "Akce Zabezpečit a doma",
+ "arm_night_action": "Akce Zabezpečit na noc",
+ "arm_vacation_action": "Akce Zabezpečit a na dovolené",
+ "code_arm_required": "Je vyžadován kód pro zabezpečení",
+ "disarm_action": "Akce odbezpečení",
+ "trigger_action": "Spustit akci",
+ "value_template": "Šablona hodnoty",
+ "template_alarm_control_panel": "Šablona ovládacího panelu alarmu",
+ "state_template": "Stav šablony",
+ "template_binary_sensor": "Šablona binárního senzoru",
+ "actions_on_press": "Akce při tisku",
+ "template_button": "Tlačítko šablony",
+ "template_image": "Šablona obrázku",
+ "actions_on_set_value": "Akce na nastavené hodnotě",
+ "step_value": "Hodnota kroku",
+ "template_number": "Šablony čísla",
+ "available_options": "Dostupné volby",
+ "actions_on_select": "Akce při výběru",
+ "template_select": "Výběr šablony",
+ "template_sensor": "Šablona senzoru",
+ "actions_on_turn_off": "Akce při vypnutí",
+ "actions_on_turn_on": "Akce při zapnutí",
+ "template_switch": "Šablona spínače",
+ "template_a_button": "Šablona tlačítka",
+ "template_a_number": "Šablona čísla",
+ "template_helper": "Pomocník podle šablony",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "Toto zařízení není zařízení ZHA",
+ "abort_usb_probe_failed": "Nepodařilo se prozkoumat zařízení USB",
+ "invalid_backup_json": "Neplatný záložní JSON",
+ "choose_an_automatic_backup": "Zvolit automatické zálohování",
+ "restore_automatic_backup": "Obnovit z automatické zálohy",
+ "choose_formation_strategy_description": "Vyberte nastavení sítě svého rádia.",
+ "restore_an_automatic_backup": "Obnovit automatickou zálohu",
+ "create_a_network": "Vytvořit síť",
+ "keep_radio_network_settings": "Zachovat nastavení sítě rádia",
+ "upload_a_manual_backup": "Nahrát ruční zálohu",
+ "network_formation": "Tvar sítě",
+ "serial_device_path": "Cesta sériového zařízení",
+ "select_a_serial_port": "Vybra sériový port",
+ "radio_type": "Typ rádia",
+ "manual_pick_radio_type_description": "Výběr typu Zigbee rádia.",
+ "port_speed": "Rychlost portu",
+ "data_flow_control": "Řízení toku dat",
+ "manual_port_config_description": "Zadejte nastavení sériového portu.",
+ "serial_port_settings": "Nastavení sériového portu",
+ "data_overwrite_coordinator_ieee": "Trvale nahradit IEEE adresu rádia",
+ "overwrite_radio_ieee_address": "Přepsat adresu IEEE rádia",
+ "upload_a_file": "Nahrát soubor",
+ "radio_is_not_recommended": "Rádio se nedoporučuje",
+ "invalid_ics_file": "Neplatný soubor .ics",
+ "calendar_name": "Název kalendáře",
+ "starting_data": "Počáteční data",
+ "zha_alarm_options_alarm_arm_requires_code": "Kód požadovaný pro akce odbezpečení",
+ "zha_alarm_options_alarm_master_code": "Hlavní kód pro ovládací panel alarmu",
+ "alarm_control_panel_options": "Volby ovládacího panelu alarmu",
+ "zha_options_consider_unavailable_battery": "Považovat zařízení napájená z baterie jako nedostupná po X sekundách",
+ "zha_options_consider_unavailable_mains": "Považovat zařízení napájená ze sítě jako nedostupná po X sekundách",
+ "zha_options_default_light_transition": "Výchozí doba přechodu světla (sekundy)",
+ "zha_options_group_members_assume_state": "Členové skupiny přebírají stav skupiny",
+ "zha_options_light_transitioning_flag": "Povolit vylepšený posuvník jasu během přechodu světla",
+ "global_options": "Obecné volby",
+ "force_nightlatch_operation_mode": "Vynutit provozní režim Nightlatch",
+ "repeats": "Počet opakování",
+ "data_process": "Procesy, které se mají přidat jako senzory",
+ "invalid_url": "Neplatná URL",
+ "data_browse_unfiltered": "Při procházení zobrazit nekompatibilní média",
+ "event_listener_callback_url": "URL zpětného volání posluchače událostí",
+ "data_listen_port": "Port posluchače událostí (náhodný, pokud není nastaven)",
+ "poll_for_device_availability": "Prozkoumat dostupnost zařízení",
+ "init_title": "Nastavení DLNA Digital Media Renderer",
+ "broker_options": "Volby brokera",
+ "enable_birth_message": "Povolit zprávu při připojení",
+ "birth_message_payload": "Datová část zprávy při připojení",
+ "birth_message_qos": "QoS zprávy při připojení",
+ "birth_message_retain": "Zachovat zprávu při připojení",
+ "birth_message_topic": "Téma zprávy při připojení",
+ "enable_discovery": "Povolit zjišťování",
+ "discovery_prefix": "Předpona zjišťování",
+ "enable_will_message": "Povolit zprávu při odpojení",
+ "will_message_payload": "Datová část zprávy při odpojení",
+ "will_message_qos": "QoS zprávy při odpojení",
+ "will_message_retain": "Zachovat zprávu při odpojení",
+ "will_message_topic": "Téma zprávy při odpojení",
+ "data_description_discovery": "Volba povolit automatické zjišťování MQTT.",
+ "mqtt_options": "Volby MQTT",
+ "passive_scanning": "Pasivní prohledávání",
+ "protocol": "Protokol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Kód jazyka",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "data_app_delete": "Zvolit pro smazání této aplikace",
+ "application_icon": "Ikona aplikace",
+ "application_name": "Název aplikace",
+ "configure_application_id_app_id": "Nastavení ID aplikace {app_id}.",
+ "configure_android_apps": "Nastavit aplikace Android",
+ "configure_applications_list": "Nastavit seznam aplikací",
"ignore_cec": "Ignorovat CEC",
"allowed_uuids": "Povolené UUID",
"advanced_google_cast_configuration": "Pokročilé nastavení Google Cast",
+ "allow_deconz_clip_sensors": "Povolit senzory deCONZ CLIP",
+ "allow_deconz_light_groups": "Povolit skupiny světel deCONZ",
+ "data_allow_new_devices": "Povolit automatické přidávání nových zařízení",
+ "deconz_devices_description": "Nastaví viditelnost typů zařízení deCONZ",
+ "deconz_options": "Volby deCONZ",
+ "select_test_server": "Vybrat testovací server",
+ "data_calendar_access": "Přístup Home Assistanta ke Kalendáři Google",
+ "bluetooth_scanner_mode": "Režim skenování Bluetooth",
"device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
"not_supported": "Not Supported",
"localtuya_configuration": "LocalTuya Configuration",
@@ -2449,10 +2799,9 @@
"data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
"data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
"data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
"configure_tuya_device": "Configure Tuya device",
"configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "ID zařízení",
+ "device_id": "Device ID",
"local_key": "Local key",
"protocol_version": "Protocol Version",
"data_entities": "Entities (uncheck an entity to remove it)",
@@ -2521,92 +2870,13 @@
"enable_heuristic_action_optional": "Enable heuristic action (optional)",
"data_dps_default_value": "Default value when un-initialised (optional)",
"minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Přístup Home Assistanta ke Kalendáři Google",
- "data_process": "Procesy, které se mají přidat jako senzory",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Pasivní prohledávání",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Volby brokera",
- "enable_birth_message": "Povolit zprávu při připojení",
- "birth_message_payload": "Datová část zprávy při připojení",
- "birth_message_qos": "QoS zprávy při připojení",
- "birth_message_retain": "Zachovat zprávu při připojení",
- "birth_message_topic": "Téma zprávy při připojení",
- "enable_discovery": "Povolit zjišťování",
- "discovery_prefix": "Předpona zjišťování",
- "enable_will_message": "Povolit zprávu při odpojení",
- "will_message_payload": "Datová část zprávy při odpojení",
- "will_message_qos": "QoS zprávy při odpojení",
- "will_message_retain": "Zachovat zprávu při odpojení",
- "will_message_topic": "Téma zprávy při odpojení",
- "data_description_discovery": "Volba povolit automatické zjišťování MQTT.",
- "mqtt_options": "Volby MQTT",
"data_allow_nameless_uuids": "Aktuálně povolená UUID. Odškrtněte pro odebrání.",
"data_new_uuid": "Zadejte nové povolené UUID",
- "allow_deconz_clip_sensors": "Povolit senzory deCONZ CLIP",
- "allow_deconz_light_groups": "Povolit skupiny světel deCONZ",
- "data_allow_new_devices": "Povolit automatické přidávání nových zařízení",
- "deconz_devices_description": "Nastaví viditelnost typů zařízení deCONZ",
- "deconz_options": "Volby deCONZ",
- "data_app_delete": "Zvolit pro smazání této aplikace",
- "application_icon": "Ikona aplikace",
- "application_name": "Název aplikace",
- "configure_application_id_app_id": "Nastavení ID aplikace {app_id}.",
- "configure_android_apps": "Nastavit aplikace Android",
- "configure_applications_list": "Nastavit seznam aplikací",
- "invalid_url": "Neplatná URL",
- "data_browse_unfiltered": "Při procházení zobrazit nekompatibilní média",
- "event_listener_callback_url": "URL zpětného volání posluchače událostí",
- "data_listen_port": "Port posluchače událostí (náhodný, pokud není nastaven)",
- "poll_for_device_availability": "Prozkoumat dostupnost zařízení",
- "init_title": "Nastavení DLNA Digital Media Renderer",
- "protocol": "Protokol",
- "language_code": "Kód jazyka",
- "bluetooth_scanner_mode": "Režim skenování Bluetooth",
- "force_nightlatch_operation_mode": "Vynutit provozní režim Nightlatch",
- "repeats": "Počet opakování",
- "select_test_server": "Vybrat testovací server",
- "toggle_entity_name": "Přepnout {entity_name}",
- "turn_off_entity_name": "Vypnout {entity_name}",
- "turn_on_entity_name": "Zapnout {entity_name}",
- "entity_name_is_off": "{entity_name} je vypnuto",
- "entity_name_is_on": "{entity_name} je zapnuto",
- "trigger_type_changed_states": "{entity_name} bylo zapnuto nebo vypnuto",
- "entity_name_turned_off": "{entity_name} bylo vypnuto",
- "entity_name_turned_on": "{entity_name} bylo zapnuto",
+ "reconfigure_zha": "Přenastavit ZHA",
+ "unplug_your_old_radio": "Odpojit staré rádio",
+ "intent_migrate_title": "Migrovat na nové rádio",
+ "re_configure_the_current_radio": "Přenastavit aktuální rádio",
+ "migrate_or_re_configure": "Migrovat nebo přenastavit",
"current_entity_name_apparent_power": "Aktuální zdánlivý výkon {entity_name}",
"condition_type_is_aqi": "Aktuální index kvality ovzduší {entity_name}",
"current_entity_name_area": "Aktuální oblast {entity_name}",
@@ -2699,6 +2969,59 @@
"entity_name_water_changes": "Při změně množství vody {entity_name}",
"entity_name_weight_changes": "Při změně hmotnosti {entity_name}",
"entity_name_wind_speed_changes": "Při změně rychlosti větru {entity_name}",
+ "decrease_entity_name_brightness": "Snížit jas {entity_name}",
+ "increase_entity_name_brightness": "Zvýšit jas {entity_name}",
+ "flash_entity_name": "Bliknout {entity_name}",
+ "toggle_entity_name": "Přepnout {entity_name}",
+ "turn_off_entity_name": "Vypnout {entity_name}",
+ "turn_on_entity_name": "Zapnout {entity_name}",
+ "entity_name_is_off": "{entity_name} je vypnuto",
+ "entity_name_is_on": "{entity_name} je zapnuto",
+ "flash": "Blikat",
+ "trigger_type_changed_states": "{entity_name} bylo zapnuto nebo vypnuto",
+ "entity_name_turned_off": "{entity_name} bylo vypnuto",
+ "entity_name_turned_on": "{entity_name} bylo zapnuto",
+ "set_value_for_entity_name": "Nastavit hodnotu na {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "Dostupnost aktualizace {entity_name} byla změněna",
+ "entity_name_became_up_to_date": "{entity_name} se stalo aktuální",
+ "trigger_type_turned_on": "Ja k dispozici aktualizace pro {entity_name}",
+ "first_button": "První tlačítko",
+ "second_button": "Druhé tlačítko",
+ "third_button": "Třetí tlačítko",
+ "fourth_button": "Čtvrté tlačítko",
+ "fifth_button": "Páté tlačítko",
+ "sixth_button": "Šesté tlačítko",
+ "subtype_double_clicked": "Tlačítko \"{subtype}\" stisknuto dvakrát",
+ "subtype_continuously_pressed": "Tlačítko \"{subtype}\" stisknuto dlouze",
+ "trigger_type_button_long_release": "\"{subtype}\" uvolněno po dlouhém stisku",
+ "subtype_quadruple_clicked": "Tlačítko \"{subtype}\" stisknuto čtyřikrát",
+ "subtype_quintuple_clicked": "Tlačítko \"{subtype}\" stisknuto pětkrát",
+ "subtype_pressed": "Tlačítko \"{subtype}\" stisknuto",
+ "subtype_released": "Tlačítko \"{subtype}\" uvolněno",
+ "subtype_triple_clicked": "Tlačítko \"{subtype}\" stisknuto třikrát",
+ "entity_name_is_home": "{entity_name} je doma",
+ "entity_name_is_not_home": "{entity_name}: není doma",
+ "entity_name_enters_a_zone": "{entity_name} vstupuje do zóny",
+ "entity_name_leaves_a_zone": "{entity_name} opouští zónu",
+ "press_entity_name_button": "Stiskněte tlačítko {entity_name}",
+ "entity_name_has_been_pressed": "Bylo stisknuto {entity_name}",
+ "let_entity_name_clean": "Nechat {entity_name} uklízet",
+ "action_type_dock": "Nechat {entity_name} vrátit se do doku",
+ "entity_name_is_cleaning": "{entity_name} uklízí",
+ "entity_name_is_docked": "{entity_name} je v doku",
+ "entity_name_started_cleaning": "{entity_name} zahájil úklid",
+ "entity_name_docked": "{entity_name} přijel do doku",
+ "send_a_notification": "Odeslat oznámení",
+ "lock_entity_name": "Zamknout {entity_name}",
+ "open_entity_name": "Otevřít {entity_name}",
+ "unlock_entity_name": "Odemknout {entity_name}",
+ "entity_name_is_locked": "{entity_name}: je zamčeno",
+ "entity_name_is_open": "{entity_name}: je otevřeno",
+ "entity_name_is_unlocked": "{entity_name}: je odemčeno",
+ "entity_name_locked": "{entity_name}: zamčeno",
+ "entity_name_opened": "{entity_name}: otevřeno",
+ "entity_name_unlocked": "{entity_name}: odemčeno",
"action_type_set_hvac_mode": "Změnit režim HVAC na {entity_name}",
"change_preset_on_entity_name": "Změnit předvolbu na {entity_name}",
"hvac_mode": "Režim HVAC",
@@ -2706,8 +3029,21 @@
"entity_name_measured_humidity_changed": "Měřená vlhkost na {entity_name} byla změněna",
"entity_name_measured_temperature_changed": "Měřená teplota na {entity_name} byla změněna",
"entity_name_hvac_mode_changed": "Režim HVAC na {entity_name} byl změněn",
- "set_value_for_entity_name": "Nastavit hodnotu pro {entity_name}",
- "value": "Hodnota",
+ "close_entity_name": "Zavřít {entity_name}",
+ "close_entity_name_tilt": "Snížit náklon {entity_name}",
+ "open_entity_name_tilt": "Zvýšit náklon {entity_name}",
+ "set_entity_name_position": "Nastavit pozici {entity_name}",
+ "set_entity_name_tilt_position": "Nastavit náklon {entity_name}",
+ "stop_entity_name": "Zastavit {entity_name}",
+ "entity_name_is_closed": "{entity_name}: je zavřeno",
+ "entity_name_closing": "{entity_name} se zavírá",
+ "entity_name_is_opening": "{entity_name} se otevírá",
+ "current_entity_name_position_is": "Pozice {entity_name} je",
+ "condition_type_is_tilt_position": "Náklon {entity_name} je",
+ "entity_name_closed": "{entity_name}: uzavřeno",
+ "entity_name_opening": "{entity_name} se otvírá",
+ "entity_name_position_changes": "Při změně pozice {entity_name}",
+ "entity_name_tilt_position_changes": "Při změně náklonu {entity_name}",
"entity_name_battery_is_low": "Baterie {entity_name} je skoro vybitá",
"entity_name_is_charging": "{entity_name}: nabíjí se",
"condition_type_is_co": "{entity_name}: detekuje oxid uhelnatý",
@@ -2716,7 +3052,6 @@
"entity_name_is_detecting_gas": "{entity_name}: detekuje plyn",
"entity_name_is_hot": "{entity_name}: je horké",
"entity_name_is_detecting_light": "{entity_name}: detekuje světlo",
- "entity_name_is_locked": "{entity_name} je uzamčeno",
"entity_name_is_moist": "{entity_name}: je vlhké",
"entity_name_is_detecting_motion": "{entity_name}: detekuje pohyb",
"entity_name_is_moving": "{entity_name}: se pohybuje",
@@ -2734,18 +3069,15 @@
"entity_name_is_not_cold": "{entity_name}: není studené",
"entity_name_is_unplugged": "{entity_name}: je odpojeno",
"entity_name_is_not_hot": "{entity_name}: není horké",
- "entity_name_is_unlocked": "{entity_name} je odemčeno",
"entity_name_is_dry": "{entity_name}: je suché",
"entity_name_is_not_moving": "{entity_name}: se nepohybuje",
"entity_name_is_not_occupied": "{entity_name}: není obsazeno",
- "entity_name_is_closed": "{entity_name} je zavřeno",
"entity_name_not_powered": "{entity_name}: není napájeno",
"entity_name_not_present": "{entity_name}: není přítomno",
"entity_name_is_not_running": "{entity_name}: není spuštěno",
"condition_type_is_not_tampered": "{entity_name}: nedetekuje neoprávněnou manipulaci",
"entity_name_is_safe": "{entity_name}: je bezpečno",
"entity_name_is_occupied": "{entity_name}: je obsazeno",
- "entity_name_is_open": "{entity_name}: je otevřeno",
"entity_name_is_powered": "{entity_name}: je napájeno",
"entity_name_is_present": "{entity_name}: je přítomno",
"entity_name_is_detecting_problem": "{entity_name}: detekuje problém",
@@ -2764,7 +3096,6 @@
"entity_name_started_detecting_gas": "{entity_name}: začalo detekovat plyn",
"entity_name_became_hot": "{entity_name}: zahřálo se",
"entity_name_started_detecting_light": "{entity_name}: začalo detekovat světlo",
- "entity_name_locked": "{entity_name} zamčeno",
"entity_name_became_moist": "{entity_name}: zvlhnulo",
"entity_name_started_detecting_motion": "{entity_name}: začalo detekovat pohyb",
"entity_name_started_moving": "{entity_name}: začalo se pohybovat",
@@ -2775,22 +3106,18 @@
"entity_name_stopped_detecting_problem": "{entity_name}: přestalo detekovat problém",
"entity_name_stopped_detecting_smoke": "{entity_name}: přestalo detekovat kouř",
"entity_name_stopped_detecting_sound": "{entity_name}: přestalo detekovat zvuk",
- "entity_name_became_up_to_date": "{entity_name} se stal aktuálním",
"entity_name_stopped_detecting_vibration": "{entity_name}: přestalo detekovat vibrace",
"entity_name_not_charging": "{entity_name}: se přestalo nabíjet",
"entity_name_became_not_cold": "{entity_name}: přestalo být studené",
"entity_name_unplugged": "{entity_name}: odpojeno",
"entity_name_became_not_hot": "{entity_name}: přestalo být horké",
- "entity_name_unlocked": "{entity_name} odemčeno",
"entity_name_became_dry": "{entity_name}: vyschlo",
"entity_name_stopped_moving": "{entity_name}: přestalo se pohybovat",
"entity_name_became_not_occupied": "{entity_name}: volno",
- "entity_name_closed": "{entity_name} zavřena",
"trigger_type_not_running": "{entity_name}: už neběží",
"entity_name_stopped_detecting_tampering": "{entity_name}: přestalo detekovat neoprávněnou manipulaci",
"entity_name_became_safe": "{entity_name}: bezpečno",
"entity_name_became_occupied": "{entity_name}: obsazeno",
- "entity_name_opened": "{entity_name} otevřeno",
"entity_name_powered": "{entity_name}: napájeno",
"entity_name_present": "{entity_name}: přítomno",
"entity_name_started_detecting_problem": "{entity_name}: začalo detekovat problém",
@@ -2808,35 +3135,6 @@
"entity_name_starts_buffering": "{entity_name}: začalo ukládat do vyrovnávací paměti",
"entity_name_becomes_idle": "{entity_name} se stane nečinným",
"entity_name_starts_playing": "{entity_name} začalo přehrávat",
- "entity_name_is_home": "{entity_name} je doma",
- "entity_name_is_not_home": "{entity_name}: není doma",
- "entity_name_enters_a_zone": "{entity_name} vstupuje do zóny",
- "entity_name_leaves_a_zone": "{entity_name} opouští zónu",
- "decrease_entity_name_brightness": "Snížit jas {entity_name}",
- "increase_entity_name_brightness": "Zvýšit jas {entity_name}",
- "flash_entity_name": "Bliknout {entity_name}",
- "flash": "Blikat",
- "entity_name_update_availability_changed": "Dostupnost aktualizace {entity_name} byla změněna",
- "trigger_type_turned_on": "Ja k dispozici aktualizace pro {entity_name}",
- "arm_entity_name_away": "Zabezpečit {entity_name} v režimu Pryč",
- "arm_entity_name_home": "Zabezpečit {entity_name} v režimu Doma",
- "arm_entity_name_night": "Zabezpečit {entity_name} v režimu Noc",
- "arm_entity_name_vacation": "Zabezpečit {entity_name} v režimu Dovolená",
- "disarm_entity_name": "Odbezpečit {entity_name}",
- "trigger_entity_name": "Spustit {entity_name}",
- "entity_name_is_armed_away": "{entity_name}: je v režimu Zabezpečeno a pryč",
- "entity_name_is_armed_home": "{entity_name}: je v režimu Zabezpečeno na doma",
- "entity_name_is_armed_night": "{entity_name}: je v režimu Zabezpečeno na noc",
- "entity_name_is_armed_vacation": "{entity_name}: je v režimu Zabezpečeno a na dovolené",
- "entity_name_is_disarmed": "{entity_name}: není zabezpečeno",
- "entity_name_armed_away": "{entity_name} v režimu Zabezpečeno a pryč",
- "entity_name_armed_home": "{entity_name} v režimu Zabezpečeno a doma",
- "entity_name_armed_night": "{entity_name} v režimu Zabezpečeno na noc",
- "entity_name_armed_vacation": "{entity_name} v režimu Zabezpečeno a na dovolené",
- "entity_name_disarmed": "{entity_name} není zabezpečeno",
- "entity_name_triggered": "{entity_name} spuštěno",
- "press_entity_name_button": "Stiskněte tlačítko {entity_name}",
- "entity_name_has_been_pressed": "Bylo stisknuto {entity_name}",
"action_type_select_first": "Změnit {entity_name} na první volbu",
"action_type_select_last": "Změnit {entity_name} na poslední volbu",
"action_type_select_next": "Změnit {entity_name} na následující volbu",
@@ -2846,46 +3144,18 @@
"cycle": "Cyklus",
"from": "Od",
"entity_name_option_changed": "Volba {entity_name} změněna",
- "close_entity_name": "Zavřít {entity_name}",
- "close_entity_name_tilt": "Snížit náklon {entity_name}",
- "open_entity_name": "Otevřít {entity_name}",
- "open_entity_name_tilt": "Zvýšit náklon {entity_name}",
- "set_entity_name_position": "Nastavit pozici {entity_name}",
- "set_entity_name_tilt_position": "Nastavit náklon {entity_name}",
- "stop_entity_name": "Zastavit {entity_name}",
- "entity_name_closing": "{entity_name} se zavírá",
- "entity_name_is_opening": "{entity_name} se otevírá",
- "current_entity_name_position_is": "Pozice {entity_name} je",
- "condition_type_is_tilt_position": "Náklon {entity_name} je",
- "entity_name_opening": "{entity_name} se otvírá",
- "entity_name_position_changes": "Při změně pozice {entity_name}",
- "entity_name_tilt_position_changes": "Při změně náklonu {entity_name}",
- "first_button": "První tlačítko",
- "second_button": "Druhé tlačítko",
- "third_button": "Třetí tlačítko",
- "fourth_button": "Čtvrté tlačítko",
- "fifth_button": "Páté tlačítko",
- "sixth_button": "Šesté tlačítko",
- "subtype_double_push": "{subtype}: stisknuto dvakrát",
- "subtype_continuously_pressed": "Tlačítko \"{subtype}\" bylo dlouze stisknuto",
- "trigger_type_button_long_release": "\"{subtype}\" uvolněno po dlouhém stisku",
- "subtype_quadruple_clicked": "Tlačítko \"{subtype}\" bylo stisknuto čtyřikrát",
- "subtype_quintuple_clicked": "Tlačítko \"{subtype}\" bylo stisknuto pětkrát",
- "subtype_pressed": "Tlačítko \"{subtype}\" bylo stisknuto",
- "subtype_released": "Bylo volněno tlačítko \"{subtype}\"",
- "subtype_triple_clicked": "{subtype}: stisknuto třikrát",
"both_buttons": "Obě tlačítka",
"bottom_buttons": "Spodní tlačítka",
"seventh_button": "Sedmé tlačítko",
"eighth_button": "Osmé tlačítko",
- "dim_down": "Snížit ztlumení",
- "dim_up": "Zvýšit ztlumení",
+ "dim_down": "Snížit jas",
+ "dim_up": "Zvýšit jas",
"left": "Vlevo",
"right": "Vpravo",
"side": "Strana 6",
"top_buttons": "Horní tlačítka",
"device_awakened": "Zařízení probuzeno",
- "trigger_type_remote_button_long_release": "Bylo uvolněno tlačítko \"{subtype}\" po dlouhém stisku",
+ "trigger_type_remote_button_long_release": "Tlačítko \"{subtype}\" uvolněno po dlouhém stisku",
"button_rotated_subtype": "Tlačítko \"{subtype}\" se otočilo",
"button_rotated_fast_subtype": "Tlačítko \"{subtype}\" se rychle otočilo",
"button_rotation_subtype_stopped": "Otočení tlačítka \"{subtype}\" bylo zastaveno",
@@ -2899,41 +3169,61 @@
"trigger_type_remote_rotate_from_side": "Zařízení se otočilo ze \"Strany 6\" na \"{subtype}\"",
"device_turned_clockwise": "Zařízení se otočilo ve směru hodinových ručiček",
"device_turned_counter_clockwise": "Zařízení se otočilo proti směru hodinových ručiček",
- "send_a_notification": "Odeslat oznámení",
- "let_entity_name_clean": "Nechat {entity_name} uklízet",
- "action_type_dock": "Nechat {entity_name} vrátit se do doku",
- "entity_name_is_cleaning": "{entity_name} uklízí",
- "entity_name_is_docked": "{entity_name} je v doku",
- "entity_name_started_cleaning": "{entity_name} zahájil úklid",
- "entity_name_docked": "{entity_name} přijel do doku",
"subtype_button_down": "{subtype}: stisknuto dolů",
"subtype_button_up": "{subtype}: stisknuto nahoru",
+ "subtype_double_push": "{subtype}: stisknuto dvakrát",
"subtype_long_push": "{subtype}: stisknuto dlouze",
"trigger_type_long_single": "{subtype}: stisknuto dlouze a pak jednou",
"subtype_single_push": "{subtype}: stisknuto jednou",
"trigger_type_single_long": "{subtype}: stisknuto jednou a pak dlouze",
"subtype_triple_push": "{subtype}: trojí stisknutí",
- "lock_entity_name": "Zamknout {entity_name}",
- "unlock_entity_name": "Odemknout {entity_name}",
+ "arm_entity_name_away": "Zabezpečit {entity_name} v režimu Pryč",
+ "arm_entity_name_home": "Zabezpečit {entity_name} v režimu Doma",
+ "arm_entity_name_night": "Zabezpečit {entity_name} v režimu Noc",
+ "arm_entity_name_vacation": "Zabezpečit {entity_name} v režimu Dovolená",
+ "disarm_entity_name": "Odbezpečit {entity_name}",
+ "trigger_entity_name": "Spustit {entity_name}",
+ "entity_name_is_armed_away": "{entity_name}: je v režimu Zabezpečeno a pryč",
+ "entity_name_is_armed_home": "{entity_name}: je v režimu Zabezpečeno na doma",
+ "entity_name_is_armed_night": "{entity_name}: je v režimu Zabezpečeno na noc",
+ "entity_name_is_armed_vacation": "{entity_name}: je v režimu Zabezpečeno a na dovolené",
+ "entity_name_is_disarmed": "{entity_name}: není zabezpečeno",
+ "entity_name_armed_away": "{entity_name} v režimu Zabezpečeno a pryč",
+ "entity_name_armed_home": "{entity_name} v režimu Zabezpečeno a doma",
+ "entity_name_armed_night": "{entity_name} v režimu Zabezpečeno na noc",
+ "entity_name_armed_vacation": "{entity_name} v režimu Zabezpečeno a na dovolené",
+ "entity_name_disarmed": "{entity_name} není zabezpečeno",
+ "entity_name_triggered": "{entity_name} spuštěno",
+ "action_type_issue_all_led_effect": "Efekt problému pro všechny LED",
+ "action_type_issue_individual_led_effect": "Efekt problému pro jednotlivé LED",
+ "squawk": "Skřehotat",
+ "warn": "Varovat",
+ "color_hue": "Barevný odstín",
+ "duration_in_seconds": "Délka v sekundách",
+ "effect_type": "Typ efektu",
+ "led_number": "Číslo LED",
+ "with_face_activated": "Aktivováno tváří 6",
+ "with_any_specified_face_s_activated": "Aktivováno libovolnou/určenou tváří",
+ "device_dropped": "Zařízení vypadlo",
+ "device_flipped_subtype": "Zařízení převráceno \"{subtype}\"",
+ "device_knocked_subtype": "Zařízením se kleplo \"{subtype}\"",
+ "device_offline": "Zařízení je offline",
+ "device_rotated_subtype": "Zařízení otočeno \"{subtype}\"",
+ "device_slid_subtype": "Zařízením se posunulo \"{subtype}\"",
+ "device_tilted": "Zařízení nakloněno",
+ "trigger_type_remote_button_alt_double_press": "Tlačítko \"{subtype}\" stisknuto dvakrát (alternativní režim)",
+ "trigger_type_remote_button_alt_long_press": "Tlačítko \"{subtype}\" stisknuto dlouze (alternativní režim)",
+ "trigger_type_remote_button_alt_long_release": "Tlačítko \"{subtype}\" uvolněno po dlouhém stisku (alternativní režim)",
+ "trigger_type_remote_button_alt_quadruple_press": "Tlačítko \"{subtype}\" stisknuto čtyřikrát (alternativní režim)",
+ "trigger_type_remote_button_alt_quintuple_press": "Tlačítko \"{subtype}\" stisknuto pětkrát (alternativní režim)",
+ "subtype_pressed_alternate_mode": "Tlačítko \"{subtype}\" stisknuto (alternativní režim)",
+ "subtype_released_alternate_mode": "Tlačítko \"{subtype}\" uvolněno (alternativní režim)",
+ "trigger_type_remote_button_alt_triple_press": "Tlačítko \"{subtype}\" stisknuto třikrát (alternativní režim)",
"add_to_queue": "Přidat do fronty",
"play_next": "Přehrát další",
"options_replace": "Přehrát nyní a vymazat frontu",
"repeat_all": "Opakovat vše",
"repeat_one": "Opakovat jednu",
- "no_code_format": "Žádný formát kódu",
- "no_unit_of_measurement": "Žádná měrná jednotka",
- "critical": "Kritický",
- "debug": "Ladění",
- "warning": "Varování",
- "create_an_empty_calendar": "Vytvořit prázdný kalendář",
- "options_import_ics_file": "Nahrát soubor iCalendar (.ics)",
- "passive": "Pasivní",
- "arithmetic_mean": "Aritmetický průměr",
- "median": "Medián",
- "product": "Produkt",
- "statistical_range": "Statistický rozsah",
- "standard_deviation": "Standardní odchylka",
- "fatal": "Fatální",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3064,50 +3354,20 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Nastaví hodnotu.",
- "the_target_value": "Cílová hodnota.",
- "command": "Příkaz",
- "device_description": "ID zařízení, do kterého se má odeslat příkaz.",
- "delete_command": "Smazat příkaz",
- "alternative": "Alternativa",
- "command_type_description": "Typ příkazu pro naučení.",
- "command_type": "Typ příkazu",
- "timeout_description": "Časový limit pro naučení příkazu.",
- "learn_command": "Naučit příkaz",
- "delay_seconds": "Zpoždění (sekund)",
- "hold_seconds": "Podržet (sekund)",
- "send_command": "Odeslat příkaz",
- "sends_the_toggle_command": "Odešle příkaz pro přepnutí.",
- "turn_off_description": "Vypne jedno nebo více světel.",
- "turn_on_description": "Spustí nový úklid.",
- "set_datetime_description": "Nastaví datum a/nebo čas.",
- "the_target_date": "Cílové datum.",
- "datetime_description": "Cílové datum a čas.",
- "the_target_time": "Cílový čas.",
- "creates_a_new_backup": "Vytvoří novou zálohu.",
- "apply_description": "Aktivuje scénu s nastavením.",
- "entities_description": "Seznam entit a jejich cílový stav.",
- "entities_state": "Stav entit",
- "transition": "Přechod",
- "apply": "Použít",
- "creates_a_new_scene": "Vytvoří novou scénu.",
- "scene_id_description": "ID entity nové scény.",
- "scene_entity_id": "ID entity scény",
- "snapshot_entities": "Entity snímků",
- "delete_description": "Smaže dynamicky vytvořenou scénu.",
- "activates_a_scene": "Aktivuje scénu.",
- "closes_a_valve": "Zavře ventil.",
- "opens_a_valve": "Otevře ventil.",
- "set_valve_position_description": "Přesune ventil do určité pozice.",
- "target_position": "Cílová pozice.",
- "set_position": "Nastavit pozici",
- "stops_the_valve_movement": "Zastaví pohyb ventilu.",
- "toggles_a_valve_open_closed": "Otevře/Zavře ventil.",
- "dashboard_path": "Cesta k ovládacímu panelu",
- "view_path": "Cesta k zobrazení",
- "show_dashboard_view": "Zobrazit ovládací panel",
- "finish_description": "Ukončí běžící časovač dříve, než je plánováno.",
- "duration_description": "Vlastní doba pro restartování časovače.",
+ "critical": "Kritický",
+ "debug": "Ladění",
+ "warning": "Varování",
+ "passive": "Pasivní",
+ "no_code_format": "Žádný formát kódu",
+ "no_unit_of_measurement": "Žádná měrná jednotka",
+ "fatal": "Fatální",
+ "arithmetic_mean": "Aritmetický průměr",
+ "median": "Medián",
+ "product": "Produkt",
+ "statistical_range": "Statistický rozsah",
+ "standard_deviation": "Standardní odchylka",
+ "create_an_empty_calendar": "Vytvořit prázdný kalendář",
+ "options_import_ics_file": "Nahrát soubor iCalendar (.ics)",
"sets_a_random_effect": "Nastaví náhodný efekt.",
"sequence_description": "Seznam sekvencí HSV (max. 16).",
"initial_brightness": "Počáteční jas.",
@@ -3123,6 +3383,7 @@
"saturation_range": "Rozsah nasycení",
"segments_description": "Seznam segmentů (0 pro všechny).",
"segments": "Segmenty",
+ "transition": "Přechod",
"range_of_transition": "Rozsah přechodu.",
"transition_range": "Rozsah přechodu",
"random_effect": "Náhodný efekt",
@@ -3133,99 +3394,11 @@
"speed_of_spread": "Rychlost šíření.",
"spread": "Šíření",
"sequence_effect": "Efekt sekvence",
- "check_configuration": "Zkontrolovat nastavení",
- "reload_all": "Znovu načíst vše",
- "reload_config_entry_description": "Znovu načte zadanou položku nastavení.",
- "config_entry_id": "ID položky nastavení",
- "reload_config_entry": "Znovu načíst položku nastavení",
- "reload_core_config_description": "Znovu načte nastavení jádra z nastavení YAML.",
- "reload_core_configuration": "Znovu načíst nastavení jádra",
- "reload_custom_jinja_templates": "Znovu načíst vlastní šablony Jinja2",
- "restarts_home_assistant": "Restartuje Home Assistanta.",
- "safe_mode_description": "Zakázat vlastní integrace a vlastní karty.",
- "save_persistent_states": "Uložit trvalé stavy",
- "set_location_description": "Aktualizuje polohu Home Assistanta.",
- "elevation_description": "Nadmořská výška vaší polohy nad hladinou moře.",
- "latitude_of_your_location": "Zeměpisná šířka vaší polohy.",
- "longitude_of_your_location": "Zeměpisná délka vaší polohy.",
- "set_location": "Nastavit polohu",
- "stops_home_assistant": "Zastaví Home Assistanta.",
- "generic_toggle": "Obecné přepnutí",
- "generic_turn_off": "Obecné vypnutí",
- "generic_turn_on": "Obecné zapnutí",
- "entity_id_description": "Entita, na kterou se má odkazovat v Záznamech.",
- "entities_to_update": "Entity k aktualizaci",
- "update_entity": "Aktualizovat entitu",
- "turns_auxiliary_heater_on_off": "Zapíná/Vypíná přídavné topení.",
- "aux_heat_description": "Nová hodnota přídavného topení.",
- "turn_on_off_auxiliary_heater": "Zapnout/Vypnout přídavné topení",
- "sets_fan_operation_mode": "Nastaví provozní režim ventilátoru.",
- "fan_operation_mode": "Provozní režim ventilátoru.",
- "set_fan_mode": "Nastavit režim ventilátoru",
- "sets_target_humidity": "Nastaví cílovou vlhkost.",
- "set_target_humidity": "Nastavit cílovou vlhkost",
- "sets_hvac_operation_mode": "Nastaví provozní režim HVAC.",
- "hvac_operation_mode": "Provozní režim HVAC.",
- "set_hvac_mode": "Nastavit režim HVAC",
- "sets_preset_mode": "Nastaví režim předvolby.",
- "set_preset_mode": "Nastavit režim předvolby",
- "set_swing_horizontal_mode_description": "Nastaví provozní režim horizontálního kmitání.",
- "horizontal_swing_operation_mode": "Provozní režim horizontálního kmitání.",
- "set_horizontal_swing_mode": "Nastavit režim horizontálního kmitání",
- "sets_swing_operation_mode": "Nastaví provozní režim kmitání.",
- "swing_operation_mode": "Provozní režim kmitání.",
- "set_swing_mode": "Nastavit režim kmitání",
- "sets_the_temperature_setpoint": "Nastaví cílovou teplotu.",
- "the_max_temperature_setpoint": "Vysoká cílová teplota.",
- "the_min_temperature_setpoint": "Nízká cílová teplota.",
- "the_temperature_setpoint": "Cílová teplota.",
- "set_target_temperature": "Nastavit cílovou teplotu",
- "turns_climate_device_off": "Vypne klimatizační zařízení.",
- "turns_climate_device_on": "Zapne klimatizační zařízení.",
- "decrement_description": "Sníží aktuální hodnotu o 1 krok.",
- "increment_description": "Zvýší aktuální hodnotu o 1 krok.",
- "reset_description": "Resetuje počítadlo na jeho počáteční hodnotu.",
- "set_value_description": "Nastaví hodnotu čísla.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Hodnota konfiguračního parametru.",
- "clear_playlist_description": "Odebere všechny položky z playlistu.",
- "clear_playlist": "Vymazat playlist",
- "selects_the_next_track": "Vybere další stopu.",
- "pauses": "Pozastaví přehrávání.",
- "starts_playing": "Spustí přehrávání.",
- "toggles_play_pause": "Přepíná přehrávání/pauzu.",
- "selects_the_previous_track": "Vybere předchozí skladbu.",
- "seek": "Prohledat",
- "stops_playing": "Zastaví přehrávání.",
- "starts_playing_specified_media": "Spustí přehrávání zadaného média.",
- "announce": "Oznámit",
- "enqueue": "Zařadit do fronty",
- "repeat_mode_to_set": "Režim opakování pro nastavení.",
- "select_sound_mode_description": "Vybere konkrétní režim zvuku.",
- "select_sound_mode": "Vybrat režim zvuku",
- "select_source": "Vybrat zdroj",
- "shuffle_description": "Zda je nebo není povolen režim náhodného přehrávání.",
- "toggle_description": "Zapíná/Vypíná vysavač.",
- "unjoin": "Odpojit se",
- "turns_down_the_volume": "Sníží hlasitost.",
- "volume_mute_description": "Ztlumí nebo zruší ztlumení přehrávače médií.",
- "is_volume_muted_description": "Nastavuje, zda má či nemá být ztlumeno.",
- "mute_unmute_volume": "Ztlumit/Zrušit ztlumení hlasitosti",
- "sets_the_volume_level": "Nastaví úroveň hlasitosti.",
- "level": "Úroveň",
- "set_volume": "Nastavit hlasitost",
- "turns_up_the_volume": "Zvýší hlasitost.",
- "battery_description": "Úroveň baterie zařízení.",
- "gps_coordinates": "Souřadnice GPS",
- "gps_accuracy_description": "Přesnost GPS souřadnic.",
- "hostname_of_the_device": "Název hostitele zařízení.",
- "hostname": "Název hostitele",
- "mac_description": "MAC adresa zařízení.",
- "see": "Podívat se",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Zapíná/Vypíná sirénu.",
+ "turns_the_siren_off": "Vypne sirénu.",
+ "turns_the_siren_on": "Zapne sirénu.",
"brightness_value": "Hodnota jasu",
"a_human_readable_color_name": "Název barvy čitelný pro člověka.",
"color_name": "Název barvy",
@@ -3238,26 +3411,68 @@
"rgbww_color": "Barva RGBWW",
"white_description": "Nastaví světlo na bílý režim.",
"xy_color": "Barva XY",
+ "turn_off_description": "Odešle příkaz pro vypnutí.",
"brightness_step_description": "Změní jas o určitou hodnotu.",
"brightness_step_value": "Hodnota kroku jasu",
"brightness_step_pct_description": "Změní jas o procenta.",
"brightness_step": "Jas v %",
- "add_event_description": "Přidá novou událost kalendáře.",
- "calendar_id_description": "ID požadovaného kalendáře.",
- "calendar_id": "ID kalendáře",
- "description_description": "Popis události. Volitelný.",
- "summary_description": "Slouží jako název události.",
- "create_event_description": "Přidá novou událost do kalendáře.",
- "location_description": "Místo konání akce.",
- "create_event": "Vytvořit událost",
- "apply_filter": "Použít filtr",
- "days_to_keep": "Dny k uchování",
- "repack": "Přebalit",
- "purge": "Vyčistit",
- "domains_to_remove": "Domény k odebrání",
- "entity_globs_to_remove": "Entity globs k odebrání",
- "entities_to_remove": "Entity k odebrání.",
- "purge_entities": "Vyčistit entity",
+ "toggles_the_helper_on_off": "Zapne/Vypne pomocníka.",
+ "turns_off_the_helper": "Vypne pomocníka.",
+ "turns_on_the_helper": "Zapne pomocníka.",
+ "pauses_the_mowing_task": "Pozastaví sečení.",
+ "starts_the_mowing_task": "Spustí sečení.",
+ "creates_a_new_backup": "Vytvoří novou zálohu.",
+ "sets_the_value": "Nastaví hodnotu.",
+ "enter_your_text": "Zadejte text.",
+ "set_value": "Nastavit hodnotu",
+ "clear_lock_user_code_description": "Vymaže uživatelský kód ze zámku.",
+ "code_slot_description": "Slot pro nastavení kódu.",
+ "code_slot": "Slot pro kód",
+ "clear_lock_user": "Vymazat uživatele zámku",
+ "disable_lock_user_code_description": "Zakáže uživatelský kód na zámku.",
+ "code_slot_to_disable": "Slot kódu pro zakázání.",
+ "disable_lock_user": "Zakázat uživatele zámku",
+ "enable_lock_user_code_description": "Povolí uživatelský kód na zámku.",
+ "code_slot_to_enable": "Slot kódu pro povolení.",
+ "enable_lock_user": "Povolit uživatele zámku",
+ "args_description": "Argumenty k předání příkazu.",
+ "args": "Argumenty",
+ "cluster_id_description": "ZCL clusteru pro načtení atributů.",
+ "cluster_id": "ID clusteru",
+ "type_of_the_cluster": "Typ clusteru.",
+ "cluster_type": "Typ clusteru",
+ "command_description": "Příkaz k odeslání Asistentovi Google.",
+ "command": "Příkaz",
+ "command_type_description": "Typ příkazu pro naučení.",
+ "command_type": "Typ příkazu",
+ "endpoint_id_description": "ID koncového bodu clusteru.",
+ "endpoint_id": "ID koncového bodu",
+ "ieee_description": "Adresa IEEE zařízení.",
+ "ieee": "IEEE",
+ "params_description": "Parametry, k předání příkazu.",
+ "params": "Parametry",
+ "issue_zigbee_cluster_command": "Vydat příkaz zigbee cluster",
+ "group_description": "Hexadecimální adresa skupiny.",
+ "issue_zigbee_group_command": "Vydat příkaz skupině zigbee",
+ "permit_description": "Umožní uzlům připojit se k síti Zigbee.",
+ "time_to_permit_joins": "Čas na povolení spojení.",
+ "install_code": "Instalační kód",
+ "qr_code": "QR kód",
+ "source_ieee": "Zdroj IEEE",
+ "reconfigure_device": "Přenastavit zařízení",
+ "remove_description": "Odebere uzel ze sítě Zigbee.",
+ "set_lock_user_code_description": "Nastaví uživatelský kód pro zamknutí.",
+ "code_to_set": "Kód k nastavení.",
+ "set_lock_user_code": "Nastavit uživatelský kód pro zamknutí",
+ "attribute_description": "ID atributu, který se má nastavit.",
+ "value_description": "Cílová hodnota, která se má nastavit.",
+ "set_zigbee_cluster_attribute": "Nastavit atribut zigbee clusteru",
+ "level": "Úroveň",
+ "strobe": "Stroboskop",
+ "warning_device_squawk": "Výstražné zařízení - skřehotání",
+ "duty_cycle": "Pracovní cyklus",
+ "intensity": "Intenzita",
+ "warning_device_starts_alert": "Výstražné zařízení spustí upozornění",
"dump_log_objects": "Vypsat objekty logu",
"log_current_tasks_description": "Zaznamená všechny aktuální asynchronní úlohy.",
"log_current_asyncio_tasks": "Zaznamenat aktuální asynchronní úlohy",
@@ -3282,27 +3497,299 @@
"stop_logging_objects": "Spustit logování objektů",
"stop_logging_object_sources": "Zastavit logování zdrojů objektů",
"stop_log_objects_description": "Zastaví logování růstu objektů v paměti.",
+ "set_default_level_description": "Nastaví výchozí úroveň logu pro integrace.",
+ "level_description": "Výchozí úroveň závažnosti pro všechny integrace.",
+ "set_default_level": "Nastavit výchozí úroveň",
+ "set_level": "Nastavit úroveň",
+ "stops_a_running_script": "Zastaví běžící skript.",
+ "clear_skipped_update": "Vymazat přeskočenou aktualizaci",
+ "install_update": "Nainstalovat aktualizaci",
+ "skip_description": "Označí aktuálně dostupnou aktualizaci jako přeskočenou.",
+ "skip_update": "Přeskočit aktualizaci",
+ "decrease_speed_description": "Sníží rychlost ventilátoru.",
+ "decrease_speed": "Snížit rychlost",
+ "increase_speed_description": "Zvýší rychlost ventilátoru.",
+ "increase_speed": "Zvýšit rychlost",
+ "oscillate_description": "Ovládá oscilaci ventilátoru.",
+ "turns_oscillation_on_off": "Zapne/Vypne oscilaci.",
+ "set_direction_description": "Nastaví směr otáčení ventilátoru.",
+ "direction_description": "Směr otáčení ventilátoru.",
+ "set_direction": "Nastavit směr",
+ "set_percentage_description": "Nastaví rychlost ventilátoru.",
+ "speed_of_the_fan": "Rychlost ventilátoru.",
+ "percentage": "Procento",
+ "set_speed": "Nastavit rychlost",
+ "sets_preset_fan_mode": "Nastaví režim předvolby ventilátoru.",
+ "preset_fan_mode": "Režim předvolby ventilátoru.",
+ "set_preset_mode": "Nastavit režim předvolby",
+ "toggles_a_fan_on_off": "Zapíná/Vypíná ventilátor.",
+ "turns_fan_off": "Vypne ventilátor.",
+ "turns_fan_on": "Zapne ventilátor.",
+ "set_datetime_description": "Nastaví datum a/nebo čas.",
+ "the_target_date": "Cílové datum.",
+ "datetime_description": "Cílové datum a čas.",
+ "the_target_time": "Cílový čas.",
+ "log_description": "Vytvoří vlastní záznam v Záznamech.",
+ "entity_id_description": "Přehrávače médií pro přehrání zprávy.",
+ "message_description": "Tělo zprávy oznámení.",
+ "request_sync_description": "Odešle do Googlu příkaz request_sync.",
+ "agent_user_id": "Uživatelské ID agenta",
+ "request_sync": "Vyžádat synchronizaci",
+ "apply_description": "Aktivuje scénu s nastavením.",
+ "entities_description": "Seznam entit a jejich cílový stav.",
+ "entities_state": "Stav entit",
+ "apply": "Použít",
+ "creates_a_new_scene": "Vytvoří novou scénu.",
+ "entity_states": "Stavy entit",
+ "scene_id_description": "ID entity nové scény.",
+ "scene_entity_id": "ID entity scény",
+ "entities_snapshot": "Entity snímků",
+ "delete_description": "Smaže dynamicky vytvořenou scénu.",
+ "activates_a_scene": "Aktivuje scénu.",
"reload_themes_description": "Znovu načte motivy z nastavení YAML.",
"reload_themes": "Znovu načíst motivy",
"name_of_a_theme": "Název motivu.",
"set_the_default_theme": "Nastavit výchozí motiv",
+ "decrement_description": "Sníží aktuální hodnotu o 1 krok.",
+ "increment_description": "Zvýší aktuální hodnotu o 1 krok.",
+ "reset_description": "Resetuje počítadlo na jeho počáteční hodnotu.",
+ "set_value_description": "Nastaví hodnotu čísla.",
+ "check_configuration": "Zkontrolovat nastavení",
+ "reload_all": "Znovu načíst vše",
+ "reload_config_entry_description": "Znovu načte zadanou položku nastavení.",
+ "config_entry_id": "ID položky nastavení",
+ "reload_config_entry": "Znovu načíst položku nastavení",
+ "reload_core_config_description": "Znovu načte nastavení jádra z nastavení YAML.",
+ "reload_core_configuration": "Znovu načíst nastavení jádra",
+ "reload_custom_jinja_templates": "Znovu načíst vlastní šablony Jinja2",
+ "restarts_home_assistant": "Restartuje Home Assistanta.",
+ "safe_mode_description": "Zakázat vlastní integrace a vlastní karty.",
+ "save_persistent_states": "Uložit trvalé stavy",
+ "set_location_description": "Aktualizuje polohu Home Assistanta.",
+ "elevation_description": "Nadmořská výška vaší polohy nad hladinou moře.",
+ "latitude_of_your_location": "Zeměpisná šířka vaší polohy.",
+ "longitude_of_your_location": "Zeměpisná délka vaší polohy.",
+ "set_location": "Nastavit polohu",
+ "stops_home_assistant": "Zastaví Home Assistanta.",
+ "generic_toggle": "Obecné přepnutí",
+ "generic_turn_off": "Obecné vypnutí",
+ "generic_turn_on": "Obecné zapnutí",
+ "entities_to_update": "Entity k aktualizaci",
+ "update_entity": "Aktualizovat entitu",
+ "notify_description": "Odešle zprávu s upozorněním na vybrané cíle.",
+ "data": "Data",
+ "title_of_the_notification": "Název oznámení.",
+ "send_a_persistent_notification": "Odeslat trvalé oznámení",
+ "sends_a_notification_message": "Odešle zprávu s oznámením.",
+ "your_notification_message": "Vaše zpráva s oznámením.",
+ "title_description": "Volitelný název oznámení.",
+ "send_a_notification_message": "Odeslat zprávu s oznámením",
+ "send_magic_packet": "Odeslat magický paket",
+ "topic_to_listen_to": "Téma, které se má poslouchat.",
+ "topic": "Téma",
+ "export": "Exportovat",
+ "publish_description": "Publikuje zprávu k tématu MQTT.",
+ "evaluate_payload": "Vyhodnotit payload",
+ "the_payload_to_publish": "Datová část k publikování.",
+ "payload": "Datová část",
+ "payload_template": "Šablona datové části",
+ "qos": "QoS",
+ "retain": "Zachovat",
+ "topic_to_publish_to": "Téma k publikování.",
+ "publish": "Publikovat",
+ "load_url_description": "Načte adresu URL ve Fully Kiosk Browser.",
+ "url_to_load": "URL pro načtení.",
+ "load_url": "Načíst URL",
+ "configuration_parameter_to_set": "Konfigurační parametr k nastavení.",
+ "key": "Klíč",
+ "set_configuration": "Nastavit konfiguraci",
+ "application_description": "Název balíčku aplikace, která se má spustit.",
+ "start_application": "Spustit aplikaci",
+ "battery_description": "Úroveň baterie zařízení.",
+ "gps_coordinates": "Souřadnice GPS",
+ "gps_accuracy_description": "Přesnost GPS souřadnic.",
+ "hostname_of_the_device": "Název hostitele zařízení.",
+ "hostname": "Název hostitele",
+ "mac_description": "MAC adresa zařízení.",
+ "see": "Podívat se",
+ "device_description": "ID zařízení, do kterého se má odeslat příkaz.",
+ "delete_command": "Smazat příkaz",
+ "alternative": "Alternativa",
+ "timeout_description": "Časový limit pro naučení příkazu.",
+ "learn_command": "Naučit příkaz",
+ "delay_seconds": "Zpoždění (sekund)",
+ "hold_seconds": "Podržet (sekund)",
+ "send_command": "Odeslat příkaz",
+ "sends_the_toggle_command": "Odešle příkaz pro přepnutí.",
+ "turn_on_description": "Spustí nový úklid.",
+ "get_weather_forecast": "Získá předpověď počasí.",
+ "type_description": "Typ předpovědi: denně, hodinově nebo dvakrát denně.",
+ "forecast_type": "Typ předpovědi",
+ "get_forecast": "Získat předpověď",
+ "get_weather_forecasts": "Získá předpovědi počasí.",
+ "get_forecasts": "Získat předpovědi",
+ "press_the_button_entity": "Stiskne entitu tlačítka.",
+ "enable_remote_access": "Povolit vzdálený přístup",
+ "disable_remote_access": "Zakázat vzdálený přístup",
+ "create_description": "Zobrazí oznámení na panelu oznámení.",
+ "notification_id": "ID oznámení",
+ "dismiss_description": "Smaže oznámení z panelu oznámení.",
+ "notification_id_description": "ID oznámení, které má být smazáno.",
+ "dismiss_all_description": "Smaže všechna oznámení z panelu oznámení.",
+ "locate_description": "Najde robotický vysavač.",
+ "pauses_the_cleaning_task": "Pozastaví úklid.",
+ "send_command_description": "Odešle příkaz do vysavače.",
+ "set_fan_speed": "Nastavit výkon vysávání",
+ "start_description": "Spustí nebo obnoví úklid.",
+ "start_pause_description": "Spustí, pozastaví nebo obnoví úklid.",
+ "stop_description": "Zastaví aktuální úklid.",
+ "toggle_description": "Zapíná/Vypíná přehrávač médií.",
+ "play_chime_description": "Přehrajte vyzváněcí tón na zvonku.",
+ "target_chime": "Cílový zvonek",
+ "ringtone_to_play": "Vyzváněcí tón k přehrání.",
+ "ringtone": "Vyzváněcí tón",
+ "play_chime": "Přehrát zvonek",
+ "ptz_move_description": "Pohybuje kamerou určitou rychlostí.",
+ "ptz_move_speed": "Rychlost pohybu PTZ.",
+ "ptz_move": "Pohyb PTZ",
+ "disables_the_motion_detection": "Zakáže detekci pohybu.",
+ "disable_motion_detection": "Zakázat detekci pohybu",
+ "enables_the_motion_detection": "Povolí detekci pohybu.",
+ "enable_motion_detection": "Povolit detekci pohybu",
+ "format_description": "Formát proudu podporovaný přehrávačem médií.",
+ "format": "Formát",
+ "media_player_description": "Přehrávače médií pro streamování.",
+ "play_stream": "Přehrát proud",
+ "filename_description": "Úplná cesta k souboru. Musí být mp4.",
+ "filename": "Název souboru",
+ "lookback": "Zpětný pohled",
+ "snapshot_description": "Pořídí snímek z kamery.",
+ "full_path_to_filename": "Úplná cesta k souboru.",
+ "take_snapshot": "Pořídit snímek",
+ "turns_off_the_camera": "Vypne kameru.",
+ "turns_on_the_camera": "Zapne kameru.",
+ "reload_resources_description": "Znovu načte zdroje ovládacího panelu z nastavení YAML.",
"clear_tts_cache": "Vymazat mezipaměť TTS",
"cache": "Mezipaměť",
"language_description": "Jazyk textu. Výchozí je jazyk serveru.",
"options_description": "Slovník obsahující možnosti specifické pro integraci.",
"say_a_tts_message": "Říci zprávu TTS",
- "media_player_entity_id_description": "Přehrávače médií pro přehrání zprávy.",
"media_player_entity": "Entita přehrávače médií",
"speak": "Mluvit",
- "reload_resources_description": "Znovu načte zdroje ovládacího panelu z nastavení YAML.",
- "toggles_the_siren_on_off": "Zapíná/Vypíná sirénu.",
- "turns_the_siren_off": "Vypne sirénu.",
- "turns_the_siren_on": "Zapne sirénu.",
- "toggles_the_helper_on_off": "Zapne/Vypne pomocníka.",
- "turns_off_the_helper": "Vypne pomocníka.",
- "turns_on_the_helper": "Zapne pomocníka.",
- "pauses_the_mowing_task": "Pozastaví sečení.",
- "starts_the_mowing_task": "Spustí sečení.",
+ "send_text_command": "Odeslat textový příkaz",
+ "the_target_value": "Cílová hodnota.",
+ "removes_a_group": "Odebere skupinu.",
+ "object_id": "ID objektu",
+ "creates_updates_a_group": "Vytvoří/aktualizuje skupinu.",
+ "add_entities": "Přidat entity",
+ "icon_description": "Název ikony pro skupinu.",
+ "name_of_the_group": "Název skupiny.",
+ "remove_entities": "Odebrat entity",
+ "locks_a_lock": "Zamkne zámek.",
+ "code_description": "Kód k nastavení alarmu.",
+ "opens_a_lock": "Otevře zámek.",
+ "unlocks_a_lock": "Odemkne zámek.",
+ "announce_description": "Nechte satellite oznámit zprávu.",
+ "media_id": "ID média",
+ "the_message_to_announce": "Zpráva k oznámení.",
+ "announce": "Jako oznámení",
+ "reloads_the_automation_configuration": "Znovu načte nastavení automatizace.",
+ "trigger_description": "Spustí akce automatizace.",
+ "skip_conditions": "Přeskočit podmínky",
+ "trigger": "Spouštěč",
+ "disables_an_automation": "Zakáže automatizaci.",
+ "stops_currently_running_actions": "Zastaví aktuálně spuštěné akce.",
+ "stop_actions": "Zastavit akce",
+ "enables_an_automation": "Povolí automatizaci.",
+ "deletes_all_log_entries": "Smaže všechny položky logu.",
+ "write_log_entry": "Zapíše záznam do logu.",
+ "log_level": "Úroveň logu.",
+ "message_to_log": "Zpráva k logování.",
+ "write": "Zapsat",
+ "dashboard_path": "Cesta k ovládacímu panelu",
+ "view_path": "Cesta k zobrazení",
+ "show_dashboard_view": "Zobrazit ovládací panel",
+ "process_description": "Spustí konverzaci z přepsaného textu.",
+ "agent": "Agent",
+ "conversation_id": "ID konverzace",
+ "transcribed_text_input": "Přepsaný textový vstup.",
+ "process": "Zpracovat",
+ "reloads_the_intent_configuration": "Znovu načte nastavení záměru.",
+ "conversation_agent_to_reload": "Konverzační agent k opětovnému načtení.",
+ "closes_a_cover": "Zatáhne roletu.",
+ "close_cover_tilt_description": "Nakloní roletu pro zatažení.",
+ "close_tilt": "Zavřít náklon",
+ "opens_a_cover": "Roztáhne roletu.",
+ "tilts_a_cover_open": "Nakloní roletu pro roztažení.",
+ "open_tilt": "Otevřít náklon",
+ "set_cover_position_description": "Přesune roletu na určitou pozici.",
+ "target_position": "Cílová pozice.",
+ "set_position": "Nastavit pozici",
+ "target_tilt_positition": "Cílová poloha náklonu.",
+ "set_tilt_position": "Nastavit polohu náklonu",
+ "stops_the_cover_movement": "Zastaví pohyb rolety.",
+ "stop_cover_tilt_description": "Zastaví naklánění rolety.",
+ "stop_tilt": "Zastavit náklon",
+ "toggles_a_cover_open_closed": "Přepíná otevření/zavření rolety.",
+ "toggle_cover_tilt_description": "Přepíná náklon rolety.",
+ "toggle_tilt": "Náklon rolety",
+ "turns_auxiliary_heater_on_off": "Zapíná/Vypíná přídavné topení.",
+ "aux_heat_description": "Nová hodnota přídavného topení.",
+ "turn_on_off_auxiliary_heater": "Zapnout/Vypnout přídavné topení",
+ "sets_fan_operation_mode": "Nastaví provozní režim ventilátoru.",
+ "fan_operation_mode": "Provozní režim ventilátoru.",
+ "set_fan_mode": "Nastavit režim ventilátoru",
+ "sets_target_humidity": "Nastaví cílovou vlhkost.",
+ "set_target_humidity": "Nastavit cílovou vlhkost",
+ "sets_hvac_operation_mode": "Nastaví provozní režim HVAC.",
+ "hvac_operation_mode": "Provozní režim HVAC.",
+ "set_hvac_mode": "Nastavit režim HVAC",
+ "sets_preset_mode": "Nastaví režim předvolby.",
+ "set_swing_horizontal_mode_description": "Nastaví provozní režim horizontálního kmitání.",
+ "horizontal_swing_operation_mode": "Provozní režim horizontálního kmitání.",
+ "set_horizontal_swing_mode": "Nastavit režim horizontálního kmitání",
+ "sets_swing_operation_mode": "Nastaví provozní režim kmitání.",
+ "swing_operation_mode": "Provozní režim kmitání.",
+ "set_swing_mode": "Nastavit režim kmitání",
+ "sets_the_temperature_setpoint": "Nastaví cílovou teplotu.",
+ "the_max_temperature_setpoint": "Vysoká cílová teplota.",
+ "the_min_temperature_setpoint": "Nízká cílová teplota.",
+ "the_temperature_setpoint": "Cílová teplota.",
+ "set_target_temperature": "Nastavit cílovou teplotu",
+ "turns_climate_device_off": "Vypne klimatizační zařízení.",
+ "turns_climate_device_on": "Zapne klimatizační zařízení.",
+ "apply_filter": "Použít filtr",
+ "days_to_keep": "Dny k uchování",
+ "repack": "Přebalit",
+ "purge": "Vyčistit",
+ "domains_to_remove": "Domény k odebrání",
+ "entity_globs_to_remove": "Entity globs k odebrání",
+ "entities_to_remove": "Entity k odebrání.",
+ "purge_entities": "Vyčistit entity",
+ "clear_playlist_description": "Odebere všechny položky z playlistu.",
+ "clear_playlist": "Vymazat playlist",
+ "selects_the_next_track": "Vybere další stopu.",
+ "pauses": "Pozastaví přehrávání.",
+ "starts_playing": "Spustí přehrávání.",
+ "toggles_play_pause": "Přepíná přehrávání/pauzu.",
+ "selects_the_previous_track": "Vybere předchozí skladbu.",
+ "seek": "Prohledat",
+ "stops_playing": "Zastaví přehrávání.",
+ "starts_playing_specified_media": "Spustí přehrávání zadaného média.",
+ "enqueue": "Zařadit do fronty",
+ "repeat_mode_to_set": "Režim opakování pro nastavení.",
+ "select_sound_mode_description": "Vybere konkrétní režim zvuku.",
+ "select_sound_mode": "Vybrat režim zvuku",
+ "select_source": "Vybrat zdroj",
+ "shuffle_description": "Zda je nebo není povolen režim náhodného přehrávání.",
+ "unjoin": "Odpojit se",
+ "turns_down_the_volume": "Sníží hlasitost.",
+ "volume_mute_description": "Ztlumí nebo zruší ztlumení přehrávače médií.",
+ "is_volume_muted_description": "Nastavuje, zda má či nemá být ztlumeno.",
+ "mute_unmute_volume": "Ztlumit/Zrušit ztlumení hlasitosti",
+ "sets_the_volume_level": "Nastaví úroveň hlasitosti.",
+ "set_volume": "Nastavit hlasitost",
+ "turns_up_the_volume": "Zvýší hlasitost.",
"restarts_an_add_on": "Restartuje doplněk.",
"the_add_on_to_restart": "Doplněk pro restart.",
"restart_add_on": "Restartovat doplněk",
@@ -3341,40 +3828,6 @@
"restore_partial_description": "Obnoví z částečné zálohy.",
"restores_home_assistant": "Obnoví Home Assistanta.",
"restore_from_partial_backup": "Obnovit z částečné zálohy",
- "decrease_speed_description": "Sníží rychlost ventilátoru.",
- "decrease_speed": "Snížit rychlost",
- "increase_speed_description": "Zvýší rychlost ventilátoru.",
- "increase_speed": "Zvýšit rychlost",
- "oscillate_description": "Ovládá oscilaci ventilátoru.",
- "turns_oscillation_on_off": "Zapne/Vypne oscilaci.",
- "set_direction_description": "Nastaví směr otáčení ventilátoru.",
- "direction_description": "Směr otáčení ventilátoru.",
- "set_direction": "Nastavit směr",
- "set_percentage_description": "Nastaví rychlost ventilátoru.",
- "speed_of_the_fan": "Rychlost ventilátoru.",
- "percentage": "Procento",
- "set_speed": "Nastavit rychlost",
- "sets_preset_fan_mode": "Nastaví režim předvolby ventilátoru.",
- "preset_fan_mode": "Režim předvolby ventilátoru.",
- "toggles_a_fan_on_off": "Zapíná/Vypíná ventilátor.",
- "turns_fan_off": "Vypne ventilátor.",
- "turns_fan_on": "Zapne ventilátor.",
- "get_weather_forecast": "Získá předpověď počasí.",
- "type_description": "Typ předpovědi: denně, hodinově nebo dvakrát denně.",
- "forecast_type": "Typ předpovědi",
- "get_forecast": "Získat předpověď",
- "get_weather_forecasts": "Získá předpovědi počasí.",
- "get_forecasts": "Získat předpovědi",
- "clear_skipped_update": "Vymazat přeskočenou aktualizaci",
- "install_update": "Nainstalovat aktualizaci",
- "skip_description": "Označí aktuálně dostupnou aktualizaci jako přeskočenou.",
- "skip_update": "Přeskočit aktualizaci",
- "code_description": "Kód použitý k odemknutí zámku.",
- "arm_with_custom_bypass": "Zabezpečit s vlastním obejitím",
- "alarm_arm_vacation_description": "Nastaví alarm do režimu \"Zabezpečit a na dovolené\".",
- "disarms_the_alarm": "Vypne alarm.",
- "trigger_the_alarm_manually": "Ručně spustí alarm.",
- "trigger": "Spouštěč",
"selects_the_first_option": "Vybere první volbu.",
"first": "První",
"selects_the_last_option": "Vybere poslední volbu.",
@@ -3382,76 +3835,16 @@
"selects_an_option": "Vybere volbu.",
"option_to_be_selected": "Volba k výběru.",
"selects_the_previous_option": "Vybere předchozí volbu.",
- "disables_the_motion_detection": "Zakáže detekci pohybu.",
- "disable_motion_detection": "Zakázat detekci pohybu",
- "enables_the_motion_detection": "Povolí detekci pohybu.",
- "enable_motion_detection": "Povolit detekci pohybu",
- "format_description": "Formát proudu podporovaný přehrávačem médií.",
- "format": "Formát",
- "media_player_description": "Přehrávače médií pro streamování.",
- "play_stream": "Přehrát proud",
- "filename_description": "Úplná cesta k souboru. Musí být mp4.",
- "filename": "Název souboru",
- "lookback": "Zpětný pohled",
- "snapshot_description": "Pořídí snímek z kamery.",
- "full_path_to_filename": "Úplná cesta k souboru.",
- "take_snapshot": "Pořídit snímek",
- "turns_off_the_camera": "Vypne kameru.",
- "turns_on_the_camera": "Zapne kameru.",
- "press_the_button_entity": "Stiskne entitu tlačítka.",
+ "add_event_description": "Přidá novou událost kalendáře.",
+ "location_description": "Místo konání. Volitelné.",
"start_date_description": "Datum, kdy má celodenní akce začít.",
+ "create_event": "Vytvořit událost",
"get_events": "Získat události",
- "select_the_next_option": "Vyberte další volbu.",
- "sets_the_options": "Nastaví volby.",
- "list_of_options": "Seznam voleb.",
- "set_options": "Nastavit volby",
- "closes_a_cover": "Zatáhne roletu.",
- "close_cover_tilt_description": "Nakloní roletu pro zatažení.",
- "close_tilt": "Zavřít náklon",
- "opens_a_cover": "Roztáhne roletu.",
- "tilts_a_cover_open": "Nakloní roletu pro roztažení.",
- "open_tilt": "Otevřít náklon",
- "set_cover_position_description": "Přesune roletu na určitou pozici.",
- "target_tilt_positition": "Cílová poloha náklonu.",
- "set_tilt_position": "Nastavit polohu náklonu",
- "stops_the_cover_movement": "Zastaví pohyb rolety.",
- "stop_cover_tilt_description": "Zastaví naklánění rolety.",
- "stop_tilt": "Zastavit náklon",
- "toggles_a_cover_open_closed": "Přepíná otevření/zavření rolety.",
- "toggle_cover_tilt_description": "Přepíná náklon rolety.",
- "toggle_tilt": "Náklon rolety",
- "request_sync_description": "Odešle do Googlu příkaz request_sync.",
- "agent_user_id": "Uživatelské ID agenta",
- "request_sync": "Vyžádat synchronizaci",
- "log_description": "Vytvoří vlastní záznam v Záznamech.",
- "message_description": "Tělo zprávy oznámení.",
- "enter_your_text": "Zadejte text.",
- "set_value": "Nastavit hodnotu",
- "topic_to_listen_to": "Téma, které se má poslouchat.",
- "topic": "Téma",
- "export": "Exportovat",
- "publish_description": "Publikuje zprávu k tématu MQTT.",
- "evaluate_payload": "Vyhodnotit payload",
- "the_payload_to_publish": "Datová část k publikování.",
- "payload": "Datová část",
- "payload_template": "Šablona datové části",
- "qos": "QoS",
- "retain": "Zachovat",
- "topic_to_publish_to": "Téma k publikování.",
- "publish": "Publikovat",
- "reloads_the_automation_configuration": "Znovu načte nastavení automatizace.",
- "trigger_description": "Spustí akce automatizace.",
- "skip_conditions": "Přeskočit podmínky",
- "disables_an_automation": "Zakáže automatizaci.",
- "stops_currently_running_actions": "Zastaví aktuálně spuštěné akce.",
- "stop_actions": "Zastavit akce",
- "enables_an_automation": "Povolí automatizaci.",
- "enable_remote_access": "Povolit vzdálený přístup",
- "disable_remote_access": "Zakázat vzdálený přístup",
- "set_default_level_description": "Nastaví výchozí úroveň logu pro integrace.",
- "level_description": "Výchozí úroveň závažnosti pro všechny integrace.",
- "set_default_level": "Nastavit výchozí úroveň",
- "set_level": "Nastavit úroveň",
+ "closes_a_valve": "Zavře ventil.",
+ "opens_a_valve": "Otevře ventil.",
+ "set_valve_position_description": "Přesune ventil do určité pozice.",
+ "stops_the_valve_movement": "Zastaví pohyb ventilu.",
+ "toggles_a_valve_open_closed": "Otevře/Zavře ventil.",
"bridge_identifier": "Identifikátor mostu",
"configuration_payload": "Datová část nastavení",
"entity_description": "Reprezentuje konkrétní koncový bod zařízení v deCONZ.",
@@ -3459,81 +3852,32 @@
"device_refresh_description": "Aktualizuje dostupná zařízení z deCONZ.",
"device_refresh": "Obnovit zařízení",
"remove_orphaned_entries": "Odebrat osiřelé položky",
- "locate_description": "Najde robotický vysavač.",
- "pauses_the_cleaning_task": "Pozastaví úklid.",
- "send_command_description": "Odešle příkaz do vysavače.",
- "command_description": "Příkaz k odeslání Asistentovi Google.",
- "parameters": "Parametry",
- "set_fan_speed": "Nastavit výkon vysávání",
- "start_description": "Spustí nebo obnoví úklid.",
- "start_pause_description": "Spustí, pozastaví nebo obnoví úklid.",
- "stop_description": "Zastaví aktuální úklid.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Zapíná/Vypíná spínač.",
- "turns_a_switch_off": "Vypíná spínač.",
- "turns_a_switch_on": "Zapíná spínač.",
+ "calendar_id_description": "ID požadovaného kalendáře.",
+ "calendar_id": "ID kalendáře",
+ "description_description": "Popis události. Volitelný.",
+ "summary_description": "Slouží jako název události.",
"extract_media_url_description": "Extrahuje adresu URL média ze služby.",
"format_query": "Formátový dotaz",
"url_description": "URL, kde lze média najít.",
"media_url": "Adresa URL média",
"get_media_url": "Získat adresu URL média",
"play_media_description": "Stáhne soubor z dané URL.",
- "notify_description": "Odešle zprávu s upozorněním na vybrané cíle.",
- "data": "Data",
- "title_of_the_notification": "Název oznámení.",
- "send_a_persistent_notification": "Odeslat trvalé oznámení",
- "sends_a_notification_message": "Odešle zprávu s oznámením.",
- "your_notification_message": "Vaše zpráva s oznámením.",
- "title_description": "Volitelný název oznámení.",
- "send_a_notification_message": "Odeslat zprávu s oznámením",
- "process_description": "Spustí konverzaci z přepsaného textu.",
- "agent": "Agent",
- "conversation_id": "ID konverzace",
- "transcribed_text_input": "Přepsaný textový vstup.",
- "process": "Zpracovat",
- "reloads_the_intent_configuration": "Znovu načte nastavení záměru.",
- "conversation_agent_to_reload": "Konverzační agent k opětovnému načtení.",
- "play_chime_description": "Přehrajte vyzváněcí tón na zvonku.",
- "target_chime": "Cílový zvonek",
- "ringtone_to_play": "Vyzváněcí tón k přehrání.",
- "ringtone": "Vyzváněcí tón",
- "play_chime": "Přehrát zvonek",
- "ptz_move_description": "Pohybuje kamerou určitou rychlostí.",
- "ptz_move_speed": "Rychlost pohybu PTZ.",
- "ptz_move": "Pohyb PTZ",
- "send_magic_packet": "Odeslat magický paket",
- "send_text_command": "Odeslat textový příkaz",
- "announce_description": "Nechte satellite oznámit zprávu.",
- "media_id": "ID média",
- "the_message_to_announce": "Zpráva k oznámení.",
- "deletes_all_log_entries": "Smaže všechny položky logu.",
- "write_log_entry": "Zapíše záznam do logu.",
- "log_level": "Úroveň logu.",
- "message_to_log": "Zpráva k logování.",
- "write": "Zapsat",
- "locks_a_lock": "Zamkne zámek.",
- "opens_a_lock": "Otevře zámek.",
- "unlocks_a_lock": "Odemkne zámek.",
- "removes_a_group": "Odebere skupinu.",
- "object_id": "ID objektu",
- "creates_updates_a_group": "Vytvoří/aktualizuje skupinu.",
- "add_entities": "Přidat entity",
- "icon_description": "Název ikony pro skupinu.",
- "name_of_the_group": "Název skupiny.",
- "remove_entities": "Odebrat entity",
- "stops_a_running_script": "Zastaví běžící skript.",
- "create_description": "Zobrazí oznámení na panelu oznámení.",
- "notification_id": "ID oznámení",
- "dismiss_description": "Smaže oznámení z panelu oznámení.",
- "notification_id_description": "ID oznámení, které má být smazáno.",
- "dismiss_all_description": "Smaže všechna oznámení z panelu oznámení.",
- "load_url_description": "Načte adresu URL ve Fully Kiosk Browser.",
- "url_to_load": "URL pro načtení.",
- "load_url": "Načíst URL",
- "configuration_parameter_to_set": "Konfigurační parametr k nastavení.",
- "key": "Klíč",
- "set_configuration": "Nastavit konfiguraci",
- "application_description": "Název balíčku aplikace, která se má spustit.",
- "start_application": "Spustit aplikaci"
+ "select_the_next_option": "Vyberte další volbu.",
+ "sets_the_options": "Nastaví volby.",
+ "list_of_options": "Seznam voleb.",
+ "set_options": "Nastavit volby",
+ "arm_with_custom_bypass": "Zabezpečit s vlastním obejitím",
+ "alarm_arm_vacation_description": "Nastaví alarm do režimu \"Zabezpečit a na dovolené\".",
+ "disarms_the_alarm": "Vypne alarm.",
+ "trigger_the_alarm_manually": "Ručně spustí alarm.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Ukončí běžící časovač dříve, než je plánováno.",
+ "duration_description": "Vlastní doba pro restartování časovače.",
+ "toggles_a_switch_on_off": "Zapíná/Vypíná spínač.",
+ "turns_a_switch_off": "Vypíná spínač.",
+ "turns_a_switch_on": "Zapíná spínač."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/cy/cy.json b/packages/core/src/hooks/useLocale/locales/cy/cy.json
index ccdc794c..3ee554ff 100644
--- a/packages/core/src/hooks/useLocale/locales/cy/cy.json
+++ b/packages/core/src/hooks/useLocale/locales/cy/cy.json
@@ -237,7 +237,7 @@
"selector_options": "Selector Options",
"action": "Action",
"area": "Area",
- "attribute": "Priodoledd",
+ "attribute": "Attribute",
"boolean": "Boolean",
"condition": "Condition",
"date": "Date",
@@ -736,7 +736,7 @@
"can_not_skip_version": "Can not skip version",
"update_instructions": "Update instructions",
"current_activity": "Current activity",
- "status": "Status",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Vacuum cleaner commands:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -854,7 +854,7 @@
"restart_home_assistant": "Restart Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Quick reload",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Reloading configuration",
"failed_to_reload_configuration": "Failed to reload configuration",
"restart_description": "Interrupts all running automations and scripts.",
@@ -882,8 +882,8 @@
"password": "Password",
"regex_pattern": "Regex pattern",
"used_for_client_side_validation": "Used for client-side validation",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Input field",
"slider": "Slider",
"step_size": "Maint cam",
@@ -1470,141 +1470,120 @@
"now": "Now",
"compare_data": "Compare data",
"reload_ui": "Reload UI",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
+ "scene": "Scene",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climate",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climate",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1633,6 +1612,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1658,31 +1638,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Next dawn",
- "next_dusk": "Next dusk",
- "next_midnight": "Next midnight",
- "next_noon": "Next noon",
- "next_rising": "Next rising",
- "next_setting": "Next setting",
- "solar_azimuth": "Solar azimuth",
- "solar_elevation": "Solar elevation",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1704,34 +1669,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Plugged in",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1805,6 +1812,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1855,7 +1863,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1872,6 +1879,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Next dawn",
+ "next_dusk": "Next dusk",
+ "next_midnight": "Next midnight",
+ "next_noon": "Next noon",
+ "next_rising": "Next rising",
+ "next_setting": "Next setting",
+ "solar_azimuth": "Solar azimuth",
+ "solar_elevation": "Solar elevation",
+ "solar_rising": "Solar rising",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1891,73 +1941,251 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Plugged in",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Paused",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -1990,84 +2218,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Current humidity",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Current action",
- "cooling": "Cooling",
- "defrosting": "Defrosting",
- "drying": "Drying",
- "heating": "Heating",
- "preheating": "Preheating",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Both",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Not charging",
- "disconnected": "Disconnected",
- "connected": "Connected",
- "hot": "Hot",
- "no_light": "No light",
- "light_detected": "Light detected",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "Not moving",
- "unplugged": "Unplugged",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Above horizon",
- "below_horizon": "Below horizon",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2083,13 +2239,36 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "available_tones": "Available tones",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Clear, night",
"cloudy": "Cloudy",
"exceptional": "Exceptional",
@@ -2112,26 +2291,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "disarming": "Disarming",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2140,65 +2302,112 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locked": "Locked",
+ "locking": "Locking",
+ "unlocked": "Unlocked",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Current humidity",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Current action",
+ "cooling": "Cooling",
+ "defrosting": "Defrosting",
+ "drying": "Drying",
+ "heating": "Heating",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Both",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Not charging",
+ "disconnected": "Disconnected",
+ "connected": "Connected",
+ "hot": "Hot",
+ "no_light": "No light",
+ "light_detected": "Light detected",
+ "not_moving": "Not moving",
+ "unplugged": "Unplugged",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Above horizon",
+ "below_horizon": "Below horizon",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Disarming",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2209,27 +2418,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2237,68 +2448,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2325,48 +2495,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Pont eisoes wedi'i ffurfweddu",
- "no_deconz_bridges_discovered": "Dim pontydd deCONZ wedi eu darganfod",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Methu cael allwedd API",
- "link_with_deconz": "Cysylltu â deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2374,128 +2543,161 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "Pont eisoes wedi'i ffurfweddu",
+ "no_deconz_bridges_discovered": "Dim pontydd deCONZ wedi eu darganfod",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Methu cael allwedd API",
+ "link_with_deconz": "Cysylltu â deCONZ",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Enable birth message",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Enable will message",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
"samsungtv_smart_options": "SamsungTV Smart options",
"data_use_st_status_info": "Use SmartThings TV Status information",
"data_use_st_channel_info": "Use SmartThings TV Channels information",
@@ -2523,28 +2725,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Enable birth message",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Enable will message",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2552,26 +2732,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2666,6 +2931,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
+ "increase_entity_name_brightness": "Increase {entity_name} brightness",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "First button",
+ "second_button": "Second button",
+ "third_button": "Third button",
+ "fourth_button": "Fourth button",
+ "fifth_button": "Fifth button",
+ "sixth_button": "Sixth button",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} is home",
+ "entity_name_is_not_home": "{entity_name} is not home",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} is cleaning",
+ "entity_name_is_docked": "{entity_name} is docked",
+ "entity_name_started_cleaning": "{entity_name} started cleaning",
+ "entity_name_docked": "{entity_name} docked",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} is locked",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is unlocked",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opened",
+ "entity_name_unlocked": "{entity_name} unlocked",
"action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
"change_preset_on_entity_name": "Change preset on {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2673,8 +2991,22 @@
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Close {entity_name} tilt",
+ "open_entity_name_tilt": "Open {entity_name} tilt",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Set {entity_name} tilt position",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} is closed",
+ "entity_name_is_closing": "{entity_name} is closing",
+ "entity_name_is_opening": "{entity_name} is opening",
+ "current_entity_name_position_is": "Current {entity_name} position is",
+ "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
+ "entity_name_closed": "{entity_name} closed",
+ "entity_name_closing": "{entity_name} closing",
+ "entity_name_opening": "{entity_name} opening",
+ "entity_name_position_changes": "{entity_name} position changes",
+ "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
"entity_name_battery_is_low": "{entity_name} battery is low",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2683,7 +3015,6 @@
"entity_name_is_detecting_gas": "{entity_name} is detecting gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} is detecting light",
- "entity_name_is_locked": "{entity_name} is locked",
"entity_name_is_moist": "{entity_name} is moist",
"entity_name_is_detecting_motion": "{entity_name} is detecting motion",
"entity_name_is_moving": "{entity_name} is moving",
@@ -2701,11 +3032,9 @@
"entity_name_is_not_cold": "{entity_name} is not cold",
"entity_name_is_disconnected": "{entity_name} is disconnected",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} is unlocked",
"entity_name_is_dry": "{entity_name} is dry",
"entity_name_is_not_moving": "{entity_name} is not moving",
"entity_name_is_not_occupied": "{entity_name} is not occupied",
- "entity_name_is_closed": "{entity_name} is closed",
"entity_name_is_unplugged": "{entity_name} is unplugged",
"entity_name_is_not_powered": "{entity_name} is not powered",
"entity_name_is_not_present": "{entity_name} is not present",
@@ -2713,7 +3042,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} is occupied",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is plugged in",
"entity_name_is_powered": "{entity_name} is powered",
"entity_name_is_present": "{entity_name} is present",
@@ -2733,7 +3061,6 @@
"entity_name_started_detecting_gas": "{entity_name} started detecting gas",
"entity_name_became_hot": "{entity_name} became hot",
"entity_name_started_detecting_light": "{entity_name} started detecting light",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} started detecting motion",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2744,18 +3071,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} became not hot",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} closed",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
@@ -2763,7 +3087,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} plugged in",
"entity_name_powered": "{entity_name} powered",
"entity_name_present": "{entity_name} present",
@@ -2771,46 +3094,16 @@
"entity_name_started_running": "{entity_name} started running",
"entity_name_started_detecting_smoke": "{entity_name} started detecting smoke",
"entity_name_started_detecting_sound": "{entity_name} started detecting sound",
- "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
- "entity_name_became_unsafe": "{entity_name} became unsafe",
- "trigger_type_update": "{entity_name} got an update available",
- "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
- "entity_name_is_buffering": "{entity_name} is buffering",
- "entity_name_is_idle": "{entity_name} is idle",
- "entity_name_is_paused": "{entity_name} is paused",
- "entity_name_is_playing": "{entity_name} is playing",
- "entity_name_starts_buffering": "{entity_name} starts buffering",
- "entity_name_becomes_idle": "{entity_name} becomes idle",
- "entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} is home",
- "entity_name_is_not_home": "{entity_name} is not home",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
- "increase_entity_name_brightness": "Increase {entity_name} brightness",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Disarm {entity_name}",
- "trigger_entity_name": "Trigger {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} is disarmed",
- "entity_name_is_triggered": "{entity_name} is triggered",
- "entity_name_armed_away": "{entity_name} armed away",
- "entity_name_armed_home": "{entity_name} armed home",
- "entity_name_armed_night": "{entity_name} armed night",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} disarmed",
- "entity_name_triggered": "{entity_name} triggered",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
+ "entity_name_became_unsafe": "{entity_name} became unsafe",
+ "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
+ "entity_name_is_buffering": "{entity_name} is buffering",
+ "entity_name_is_idle": "{entity_name} is idle",
+ "entity_name_is_paused": "{entity_name} is paused",
+ "entity_name_is_playing": "{entity_name} is playing",
+ "entity_name_starts_buffering": "{entity_name} starts buffering",
+ "entity_name_becomes_idle": "{entity_name} becomes idle",
+ "entity_name_starts_playing": "{entity_name} starts playing",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2820,35 +3113,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Close {entity_name} tilt",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Open {entity_name} tilt",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Set {entity_name} tilt position",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} is closing",
- "entity_name_is_opening": "{entity_name} is opening",
- "current_entity_name_position_is": "Current {entity_name} position is",
- "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
- "entity_name_closing": "{entity_name} closing",
- "entity_name_opening": "{entity_name} opening",
- "entity_name_position_changes": "{entity_name} position changes",
- "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Both buttons",
"bottom_buttons": "Bottom buttons",
"seventh_button": "Seventh button",
@@ -2873,13 +3137,6 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} is cleaning",
- "entity_name_is_docked": "{entity_name} is docked",
- "entity_name_started_cleaning": "{entity_name} started cleaning",
- "entity_name_docked": "{entity_name} docked",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2890,29 +3147,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Disarm {entity_name}",
+ "trigger_entity_name": "Trigger {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} is disarmed",
+ "entity_name_is_triggered": "{entity_name} is triggered",
+ "entity_name_armed_away": "{entity_name} armed away",
+ "entity_name_armed_home": "{entity_name} armed home",
+ "entity_name_armed_night": "{entity_name} armed night",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} disarmed",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "Device dropped",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Device tilted",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3043,52 +3325,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3105,6 +3357,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3115,102 +3368,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3223,25 +3385,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3267,27 +3474,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3326,40 +3814,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3367,77 +3821,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3446,83 +3839,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/da/da.json b/packages/core/src/hooks/useLocale/locales/da/da.json
index 0e2c1244..9f36f59d 100644
--- a/packages/core/src/hooks/useLocale/locales/da/da.json
+++ b/packages/core/src/hooks/useLocale/locales/da/da.json
@@ -100,10 +100,10 @@
"white_brightness": "Hvidværdi",
"cold_white_brightness": "kold hvid lysstyrke",
"warm_white_brightness": "Varm hvid lysstyrke",
- "effect": "Effekt",
+ "power": "Effekt",
"lock": "Lock",
"unlock": "Unlock",
- "open": "Open",
+ "open": "Åbn",
"open_door": "Open door",
"really_open": "Vil du åbne?",
"done": "Færdig",
@@ -133,7 +133,7 @@
"cancel": "Cancel",
"cancel_number": "Annullér {number}",
"cancel_all": "Annuller alle",
- "idle": "Idle",
+ "idle": "Inaktiv",
"run_script": "Kør script",
"option": "Option",
"installing": "Installerer",
@@ -192,7 +192,7 @@
"enable": "Enable",
"disable": "Disable",
"hide": "Skjul",
- "close": "Close",
+ "close": "Luk",
"leave": "Forlad",
"stay": "Bliv",
"next": "Next",
@@ -220,7 +220,7 @@
"required": "Påkrævet",
"copied": "Kopieret",
"copied_to_clipboard": "Kopieret til udklipsholderen",
- "name": "Name",
+ "name": "Navn",
"optional": "valgfrit",
"default": "Default",
"select_media_player": "Vælg medieafspiller",
@@ -247,7 +247,7 @@
"condition": "Betingelse",
"date": "Dato",
"date_time": "Dato og tid",
- "duration": "Varighed",
+ "duration": "Duration",
"entity": "Entity",
"floor": "Etage",
"icon": "Ikon",
@@ -394,7 +394,6 @@
"no_matching_areas_found": "Ingen matchende områder fundet",
"unassigned_areas": "Ikke-tildelte områder",
"failed_to_create_area": "Området kunne ikke oprettes.",
- "ui_components_area_picker_add_dialog_name": "Navn",
"ui_components_area_picker_add_dialog_text": "Angiv navnet på det nye område.",
"ui_components_area_picker_add_dialog_title": "Tilføj nyt område",
"show_floors": "Vis etager",
@@ -445,7 +444,6 @@
"primary": "Primær",
"accent": "Accent",
"disabled": "Deaktiveret",
- "inactive": "Inaktiv",
"red": "Red",
"pink": "Pink",
"purple": "Purple",
@@ -528,7 +526,7 @@
"advanced_controls": "Advanced controls",
"tone": "Tone",
"volume": "Volume",
- "message": "Message",
+ "message": "Besked",
"gender": "Køn",
"male": "Mand",
"female": "Kvinde",
@@ -754,7 +752,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Opret sikkerhedskopi, før du opdaterer",
"update_instructions": "Opdateringsvejledning",
"current_activity": "Nuværende aktivitet",
- "status": "Status",
+ "status": "Status 2",
"vacuum_commands": "Støvsugerkommandoer:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -789,7 +787,7 @@
"default_code": "Standardkode",
"editor_default_code_error": "Koden svarer ikke til kodeformatet",
"entity_id": "Entity ID",
- "unit": "Måleenhed",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "Enhed for nedbør",
"display_precision": "Visningspræcision",
"default_value": "Standard ({value})",
@@ -810,14 +808,13 @@
"cold": "Kold",
"connectivity": "Forbindelse",
"gas": "Gas",
- "heat": "Opvarmning",
+ "heat": "Heat",
"light": "Lys",
"moisture": "Fugtighed",
"motion": "Bevægelse",
"moving": "I bevægelse",
"presence": "Tilstedeværelse",
"plug": "Stik",
- "power": "Strøm",
"problem": "Problem",
"safety": "Sikkerhed",
"smoke": "Røg",
@@ -872,7 +869,7 @@
"restart_home_assistant": "Genstart Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Hurtig genindlæsning",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Genindlæser konfiguration",
"failed_to_reload_configuration": "Konfigurationen kunne ikke genindlæses",
"restart_description": "Afbryder alle kørende automatiseringer og scripts.",
@@ -903,8 +900,8 @@
"password": "Adgangskode",
"regex_pattern": "Regex-mønster",
"used_for_client_side_validation": "Bruges til validering på klientsiden",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Inputfelt",
"slider": "Skyder",
"step_size": "Trin-størrelse",
@@ -1224,7 +1221,7 @@
"ui_panel_lovelace_editor_edit_view_type_helper_sections": "Du kan ikke ændre din visning til at bruge visningstypen 'afsnit', fordi migrering ikke er understøttet endnu. Start forfra med en ny visning, hvis du vil eksperimentere med 'afsnit'-visningen.",
"card_configuration": "Kortkonfiguration",
"type_card_configuration": "{type}-kortkonfiguration",
- "edit_card_pick_card": "Hvilket kort vil du tilføje?",
+ "edit_card_pick_card": "Which card would you like to add?",
"toggle_editor": "Toggle editor",
"you_have_unsaved_changes": "You have unsaved changes",
"edit_card_confirm_cancel": "Er du sikker på, at du vil annullere?",
@@ -1354,6 +1351,7 @@
"history_graph_fit_y_data": "Udvid Y-aksens grænser, så de passer til data",
"statistics_graph": "Statistik-graf",
"period": "Periode",
+ "unit": "Måleenhed",
"show_stat_types": "Vis statistiktyper",
"chart_type": "Diagramtype",
"line": "Line",
@@ -1545,139 +1543,118 @@
"now": "Nu",
"compare_data": "Sammenlign data",
"reload_ui": "Genindlæs brugerflade",
- "tag": "Tag",
- "input_datetime": "Dato og tid-input",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Lokal kalender",
- "intent": "Intent",
- "device_tracker": "Enhedssporing",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Boolsk valg",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "tag": "Tag",
+ "media_source": "Media Source",
+ "mobile_app": "Mobilapp",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostik",
+ "filesize": "Filstørrelse",
+ "group": "Gruppe",
+ "binary_sensor": "Binær sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input-knap",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Blæser",
- "weather": "Vejr",
- "camera": "Kamera",
+ "scene": "Scene",
"schedule": "Tidsplan",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automatisering",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Vejr",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Samtale",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Tekst-input",
- "valve": "Ventil",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Klima",
- "binary_sensor": "Binær sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automatisering",
+ "system_log": "System Log",
+ "cover": "Gardin/port",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Ventil",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Gardin/port",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Lokal kalender",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Sirene",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Plæneklipper",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Hændelse",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Enhedssporing",
+ "remote": "Fjernbetjening",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
+ "persistent_notification": "Vedvarende notifikation",
+ "vacuum": "Støvsuger",
+ "reolink": "Reolink",
+ "camera": "Kamera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Vedvarende notifikation",
- "trace": "Trace",
- "remote": "Fjernbetjening",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Tæller",
- "filesize": "Filstørrelse",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Samtale",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Klima",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Boolsk valg",
- "lawn_mower": "Plæneklipper",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Hændelse",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarmkontrolpanel",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobilapp",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "input_datetime": "Dato og tid-input",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Tæller",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Applikations-loginoplysninger",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Gruppe",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostik",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Tekst-input",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Applikations-loginoplysninger",
- "siren": "Sirene",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input-knap",
- "vacuum": "Støvsuger",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1706,9 +1683,11 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
+ "current": "Strøm",
"current_consumption": "Current Consumption",
"current_firmware_version": "Current firmware version",
"device_time": "Device time",
@@ -1722,7 +1701,7 @@
"auto_off_enabled": "Auto off enabled",
"auto_update_enabled": "Auto update enabled",
"baby_cry_detection": "Baby cry detection",
- "child_lock": "Child lock",
+ "child_lock": "Børnesikring",
"fan_sleep_mode": "Fan sleep mode",
"led": "LED",
"motion_detection": "Bevægelsesdetektering",
@@ -1730,31 +1709,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Næste daggry",
- "next_dusk": "Næste skumring",
- "next_midnight": "Næste midnat",
- "next_noon": "Næste middag",
- "next_rising": "Næste solopgang",
- "next_setting": "Næste solnedgang",
- "solar_azimuth": "Solens azimut",
- "solar_elevation": "Solhøjde",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Belysningsstyrke",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1776,34 +1740,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent-version",
- "apparmor_version": "Apparmor-version",
- "cpu_percent": "CPU-procent",
- "disk_free": "Disk fri",
- "disk_total": "Disk-total",
- "disk_used": "Disk-forbrug",
- "memory_percent": "Hukommelsesprocent",
- "version": "Version",
- "newest_version": "Nyeste version",
+ "day_of_week": "Day of week",
+ "illuminance": "Belysningsstyrke",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Fra",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Tilsluttet strøm",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Registreret",
"animal_lens": "Animal lens 1",
@@ -1873,10 +1879,11 @@
"image_saturation": "Image saturation",
"image_sharpness": "Image sharpness",
"message_volume": "Message volume",
- "motion_sensitivity": "Motion sensitivity",
+ "motion_sensitivity": "Bevægelsesfølsomhed",
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1927,7 +1934,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1944,6 +1950,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist i gang",
+ "quiet": "Quiet",
+ "preferred": "Foretrukken",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent-version",
+ "apparmor_version": "Apparmor-version",
+ "cpu_percent": "CPU-procent",
+ "disk_free": "Disk fri",
+ "disk_total": "Disk-total",
+ "disk_used": "Disk-forbrug",
+ "memory_percent": "Hukommelsesprocent",
+ "version": "Version",
+ "newest_version": "Nyeste version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Næste daggry",
+ "next_dusk": "Næste skumring",
+ "next_midnight": "Næste midnat",
+ "next_noon": "Næste middag",
+ "next_rising": "Næste solopgang",
+ "next_setting": "Næste solnedgang",
+ "solar_azimuth": "Solens azimut",
+ "solar_elevation": "Solhøjde",
+ "solar_rising": "Solar rising",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1963,72 +2012,251 @@
"closing": "Lukker",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Tilsluttet strøm",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Administreret via brugerfladen",
- "max_length": "Maks.-længde",
- "min_length": "Min.-længde",
- "pattern": "Mønster",
- "minute": "Minut",
- "second": "Sekund",
- "timestamp": "Timestamp",
- "stopped": "Stoppet",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binært input",
+ "calibrated": "Kalibreret",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "Ekstern sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Åbnet med håndkraft",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Ventilalarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Nulstilling af tilstedeværelsesstatus",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Selvtest",
+ "keen_vent": "Keen vent",
+ "fan_group": "Blæser-gruppe",
+ "light_group": "Lys-gruppe",
+ "door_lock": "Dørlås",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Timer til automatisk slukning af kontakten",
+ "away_preset_temperature": "Forudindstillet temperatur ved ude",
+ "boost_amount": "Boost amount",
+ "button_delay": "Knapforsinkelse",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detektionsinterval",
+ "local_dimming_down_speed": "Lokal dæmpningshastighed ned",
+ "remote_dimming_down_speed": "Fjerndæmpningshastighed ned",
+ "local_dimming_up_speed": "Lokal dæmpningshastighed op",
+ "remote_dimming_up_speed": "Fjerndæmpningshastighed op",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Lokal temperaturforskydning",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maksimalt dæmpningsniveau",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Mindste dæmpningsniveau",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Overgangstid ved slukning",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "Tændings-niveau",
+ "on_off_transition_time": "Tænd/sluk-overgangstid",
+ "on_transition_time": "Overgangstid ved tænding",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Hurtig starttid",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Farvetemperatur ved opstart",
+ "start_up_current_level": "Strømniveau ved opstart",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer-varighed",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Sendeeffekt",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Afkoblet tilstand",
+ "default_siren_level": "Standard sireneniveau",
+ "default_siren_tone": "Standard sirenetone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detektionsafstand",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "LED-skaleringstilstand",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Overvågningstilstand",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output-tilstand",
+ "power_on_state": "Tændingstilstand",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Opstartsadfærd",
+ "switch_mode": "Kontakt-tilstand",
+ "switch_type": "Kontakt-type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Gardin-tilstand",
+ "ac_frequency": "AC-frekvens",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "I gang",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analogt input",
+ "control_status": "Control status",
+ "device_run_time": "Enhedens driftstid",
+ "device_temperature": "Enhedens temperatur",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC handling",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Seneste belysningstilstand",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Jordfugtighed",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Deaktivér LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware fremskridt LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invertér kontakt",
+ "inverted": "Omvendt",
+ "led_indicator": "LED-indikator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Lokal beskyttelse",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Kun 1 LED tilstand",
+ "open_window": "Open window",
+ "power_outage_memory": "Hukommelse ved strømafbrydelse",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smartpære-tilstand",
+ "smart_fan_mode": "Smart blæsertilstand",
+ "led_trigger_indicator": "LED-udløserindikator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Ventildetektering",
+ "window_detection": "Vinduesdetektion",
+ "invert_window_detection": "Invertér vinduesdetektion",
+ "available_tones": "Available tones",
"device_trackers": "Enhedssporere",
"gps_accuracy": "GPS accuracy",
- "paused": "På pause",
- "finishes_at": "Slutter",
- "restore": "Gendan",
"last_reset": "Sidste nulstilling",
"possible_states": "Mulige tilstande",
"state_class": "Tilstandsklasse",
@@ -2060,83 +2288,12 @@
"sound_pressure": "Lydtryk",
"speed": "Speed",
"sulphur_dioxide": "Svovldioxid",
+ "timestamp": "Timestamp",
"vocs": "VOC'er",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Opbevaret volumen",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Ekstra varme",
- "current_humidity": "Aktuel luftfugtighed",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffus",
- "middle": "Midt",
- "top": "Top",
- "current_action": "Aktuel handling",
- "cooling": "Køling",
- "defrosting": "Defrosting",
- "drying": "Tørring",
- "preheating": "Forvarmer",
- "max_target_humidity": "Maksimal målfugtighed",
- "max_target_temperature": "Maksimal måltemperatur",
- "min_target_humidity": "Minimum målfugtighed",
- "min_target_temperature": "Minimum måltemperatur",
- "boost": "Boost",
- "comfort": "Komfort",
- "eco": "Øko",
- "sleep": "Sove",
- "presets": "Forudindstillinger",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Begge",
- "horizontal": "Vandret",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Måltemperatur-trin",
- "step": "Trin",
- "not_charging": "Oplader ikke",
- "disconnected": "Afbrudt",
- "connected": "Forbundet",
- "hot": "Varm",
- "no_light": "Lys ikke registreret",
- "light_detected": "Lys registreret",
- "locked": "Låst",
- "unlocked": "Ulåst",
- "not_moving": "Ikke i bevægelse",
- "unplugged": "Ikke tilsluttet strøm",
- "not_running": "Kører ikke",
- "safe": "Sikret",
- "unsafe": "Usikret",
- "tampering_detected": "Manipulation registreret",
- "automatic": "Automatisk",
- "box": "Boks",
- "above_horizon": "Over horisonten",
- "below_horizon": "Under horisonten",
- "buffering": "Buffer",
- "playing": "Afspiller",
- "standby": "Standby",
- "app_id": "App-id",
- "local_accessible_entity_picture": "Lokalt tilgængeligt entitetsbillede",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Albumkunstner",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Kanaler",
- "position_updated": "Position opdateret",
- "series": "Serie",
- "all": "All",
- "one": "En",
- "available_sound_modes": "Tilgængelige lydtilstande",
- "available_sources": "Tilgængelige kilder",
- "receiver": "Modtager",
- "speaker": "Højttaler",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Administreret via brugerfladen",
"color_mode": "Color Mode",
"brightness_only": "Kun lysstyrke",
"hs": "HS",
@@ -2152,13 +2309,35 @@
"minimum_color_temperature_kelvin": "Laveste farvetemperatur (Kelvin)",
"minimum_color_temperature_mireds": "Laveste farvetemperatur (mireds)",
"available_color_modes": "Tilgængelige farvetilstande",
- "available_tones": "Available tones",
"docked": "I dock",
"mowing": "Slår græs",
+ "paused": "På pause",
"returning": "Returning",
+ "max_length": "Maks.-længde",
+ "min_length": "Min.-længde",
+ "pattern": "Mønster",
+ "running_automations": "Kørende automatiseringer",
+ "max_running_scripts": "Maks. antal kørende scripts",
+ "run_mode": "Kørselstilstand",
+ "parallel": "Parallelt",
+ "queued": "I kø",
+ "single": "Enkelt",
+ "auto_update": "Automatisk opdatering",
+ "installed_version": "Installeret version",
+ "release_summary": "Udgivelsesnoter",
+ "release_url": "Udgivelsens webadresse",
+ "skipped_version": "Oversprunget version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Hastighedstrin",
"available_preset_modes": "Tilgængelige forudindstillede tilstande",
+ "minute": "Minut",
+ "second": "Sekund",
+ "next_event": "Næste begivenhed",
+ "step": "Trin",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Klart, nat",
"cloudy": "Overskyet",
"exceptional": "Enestående",
@@ -2181,24 +2360,9 @@
"uv_index": "UV-indeks",
"wind_bearing": "Vindretning",
"wind_gust_speed": "Vindstødshastighed",
- "auto_update": "Automatisk opdatering",
- "in_progress": "I gang",
- "installed_version": "Installeret version",
- "release_summary": "Udgivelsesnoter",
- "release_url": "Udgivelsens webadresse",
- "skipped_version": "Oversprunget version",
- "firmware": "Firmware",
- "armed_away": "Tilkoblet ude",
- "armed_custom_bypass": "Tilkoblet brugerdefineret bypass",
- "armed_home": "Tilkoblet hjemme",
- "armed_night": "Tilkoblet nat",
- "armed_vacation": "Tilkoblet ferie",
- "disarming": "Frakobler",
- "changed_by": "Ændret af",
- "code_for_arming": "Kode til tilkobling",
- "not_required": "Ikke påkrævet",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Gør rent",
+ "returning_to_dock": "Vender tilbage til dock",
"recording": "Optager",
"streaming": "Streamer",
"access_token": "Adgangstoken",
@@ -2207,95 +2371,142 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatisk",
+ "box": "Boks",
+ "jammed": "Fastklemt",
+ "locked": "Låst",
+ "locking": "Låser",
+ "unlocked": "Ulåst",
+ "unlocking": "Låser op",
+ "changed_by": "Ændret af",
+ "code_format": "Code format",
+ "members": "Medlemmer",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Maks. antal kørende automatiseringer",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Ekstra varme",
+ "current_humidity": "Aktuel luftfugtighed",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffus",
+ "middle": "Midt",
+ "top": "Top",
+ "current_action": "Aktuel handling",
+ "cooling": "Køling",
+ "defrosting": "Defrosting",
+ "drying": "Tørring",
+ "heating": "Opvarmning",
+ "preheating": "Forvarmer",
+ "max_target_humidity": "Maksimal målfugtighed",
+ "max_target_temperature": "Maksimal måltemperatur",
+ "min_target_humidity": "Minimum målfugtighed",
+ "min_target_temperature": "Minimum måltemperatur",
+ "boost": "Boost",
+ "comfort": "Komfort",
+ "eco": "Øko",
+ "sleep": "Sove",
+ "presets": "Forudindstillinger",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Begge",
+ "horizontal": "Vandret",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Måltemperatur-trin",
+ "stopped": "Stoppet",
+ "not_charging": "Oplader ikke",
+ "disconnected": "Afbrudt",
+ "connected": "Forbundet",
+ "hot": "Varm",
+ "no_light": "Lys ikke registreret",
+ "light_detected": "Lys registreret",
+ "not_moving": "Ikke i bevægelse",
+ "unplugged": "Ikke tilsluttet strøm",
+ "not_running": "Kører ikke",
+ "safe": "Sikret",
+ "unsafe": "Usikret",
+ "tampering_detected": "Manipulation registreret",
+ "buffering": "Buffer",
+ "playing": "Afspiller",
+ "standby": "Standby",
+ "app_id": "App-id",
+ "local_accessible_entity_picture": "Lokalt tilgængeligt entitetsbillede",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Albumkunstner",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Kanaler",
+ "position_updated": "Position opdateret",
+ "series": "Serie",
+ "all": "All",
+ "one": "En",
+ "available_sound_modes": "Tilgængelige lydtilstande",
+ "available_sources": "Tilgængelige kilder",
+ "receiver": "Modtager",
+ "speaker": "Højttaler",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Næste begivenhed",
"event_type": "Begivenhedstype",
"event_types": "Begivenhedstyper",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Maks. antal kørende automatiseringer",
- "run_mode": "Kørselstilstand",
- "parallel": "Parallelt",
- "queued": "I kø",
- "single": "Enkelt",
- "cleaning": "Gør rent",
- "returning_to_dock": "Vender tilbage til dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Maks. antal kørende scripts",
- "jammed": "Fastklemt",
- "locking": "Låser",
- "unlocking": "Låser op",
- "members": "Medlemmer",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Kontoen er allerede konfigureret",
- "abort_already_in_progress": "Konfigurationsflow er allerede i gang",
- "failed_to_connect": "Forbindelse mislykkedes",
- "invalid_access_token": "Ugyldigt adgangstoken",
- "invalid_authentication": "Ugyldig godkendelse",
- "received_invalid_token_data": "Modtog ugyldige token-data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Uventet fejl",
- "successfully_authenticated": "Godkendelse lykkedes",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Vælg godkendelsesmetode",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Over horisonten",
+ "below_horizon": "Under horisonten",
+ "armed_away": "Tilkoblet ude",
+ "armed_custom_bypass": "Tilkoblet brugerdefineret bypass",
+ "armed_home": "Tilkoblet hjemme",
+ "armed_night": "Tilkoblet nat",
+ "armed_vacation": "Tilkoblet ferie",
+ "disarming": "Frakobler",
+ "code_for_arming": "Kode til tilkobling",
+ "not_required": "Ikke påkrævet",
+ "finishes_at": "Slutter",
+ "restore": "Gendan",
"device_is_already_configured": "Enheden er allerede konfigureret",
+ "failed_to_connect": "Forbindelse mislykkedes",
"abort_no_devices_found": "Ingen enheder fundet på netværket",
+ "re_authentication_was_successful": "Genautentificering lykkedes",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Forbindelsesfejl: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
"camera_stream_authentication_failed": "Camera stream authentication failed",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "Enable camera live view",
- "username": "Brugernavn",
+ "username": "Username",
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Godkendelse udløbet for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Allerede konfigureret. Kun en enkelt konfiguration mulig.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Vil du starte opsætningen?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Uventet fejl",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Vil du konfigurere {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Krypteringsnøgle",
+ "key_id": "Key ID",
+ "password_description": "Adgangskode til at beskytte sikkerhedskopien med.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Ugyldig .isc fil",
- "calendar_name": "Kalendernavn",
- "starting_data": "Start data",
+ "abort_already_in_progress": "Konfigurationsflow er allerede i gang",
"abort_invalid_host": "Ugyldigt værtsnavn eller IP-adresse",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Ugyldig godkendelse",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2303,68 +2514,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout ved oprettelse af forbindelse",
- "link_google_account": "Tilknyt Google-konto",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API-nøgle",
- "configure_daikin_ac": "Konfigurer Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Enhedsklasse",
- "state_template": "Tilstandsskabelon",
- "template_binary_sensor": "Binær skabelon-sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Skabelon-sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Skabelon til en binær sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Skabelon til en sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Skabelon-hjælper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Kontoen er allerede konfigureret",
+ "invalid_access_token": "Ugyldigt adgangstoken",
+ "received_invalid_token_data": "Modtog ugyldige token-data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Godkendelse lykkedes",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Vælg godkendelsesmetode",
+ "two_factor_code": "Tofaktorkode",
+ "two_factor_authentication": "Tofaktorgodkendelse",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Log ind med Ring-konto",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2390,49 +2560,49 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Bridge er allerede konfigureret",
- "no_deconz_bridges_discovered": "Ingen deConz-bro fundet",
- "abort_no_hardware_available": "Ingen radiohardware forbundet til deCONZ",
- "abort_updated_instance": "Opdaterede deCONZ-instans med ny værtadresse",
- "error_linking_not_possible": "Kunne ikke oprette forbindelse til gatewayen",
- "error_no_key": "Kunne ikke få en API-nøgle",
- "link_with_deconz": "Forbind med deCONZ",
- "select_discovered_deconz_gateway": "Vælg den opdagede deCONZ-gateway",
- "error_already_in_progress": "Configuration flow is already in progress",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Manglende MAC-adresse i MDNS-egenskaber.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Fandt ESPHome-knudepunkt",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "Ingen tjenester fundet på slutpunktet",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API-nøgle",
+ "configure_daikin_ac": "Konfigurer Daikin AC",
+ "cannot_connect_details_error_detail": "Kan ikke oprette forbindelse. Detaljer: {error_detail}",
+ "unknown_details_error_detail": "Ukendt. Detaljer: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "bluetooth_confirm_description": "Do you want to set up {name}?",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Tofaktorkode",
- "two_factor_authentication": "Tofaktorgodkendelse",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Log ind med Ring-konto",
+ "timeout_establishing_connection": "Timeout ved oprettelse af forbindelse",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "error_already_in_progress": "Configuration flow is already in progress",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "Alle entiteter",
"hide_members": "Skjul medlemmer",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignorér ikke-numerisk",
"data_round_digits": "Afrund værdi til antal decimaler",
"type": "Type",
@@ -2440,156 +2610,136 @@
"button_group": "Button group",
"cover_group": "Gardin/port-gruppe",
"event_group": "Event group",
- "fan_group": "Blæser-gruppe",
- "light_group": "Lys-gruppe",
"lock_group": "Lås-gruppe",
"media_player_group": "Medieafspiller-gruppe",
"notify_group": "Notify group",
"sensor_group": "Sensor-gruppe",
"switch_group": "Kontakt-gruppe",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Adgangskode til at beskytte sikkerhedskopien med.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Kan ikke oprette forbindelse. Detaljer: {error_detail}",
- "unknown_details_error_detail": "Ukendt. Detaljer: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker-indstillinger",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Manglende MAC-adresse i MDNS-egenskaber.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Fandt ESPHome-knudepunkt",
+ "bridge_is_already_configured": "Bridge er allerede konfigureret",
+ "no_deconz_bridges_discovered": "Ingen deConz-bro fundet",
+ "abort_no_hardware_available": "Ingen radiohardware forbundet til deCONZ",
+ "abort_updated_instance": "Opdaterede deCONZ-instans med ny værtadresse",
+ "error_linking_not_possible": "Kunne ikke oprette forbindelse til gatewayen",
+ "error_no_key": "Kunne ikke få en API-nøgle",
+ "link_with_deconz": "Forbind med deCONZ",
+ "select_discovered_deconz_gateway": "Vælg den opdagede deCONZ-gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "Ingen tjenester fundet på slutpunktet",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "Tilstandsskabelon",
+ "template_binary_sensor": "Binær skabelon-sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Skabelon-sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Skabelon til en binær sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Skabelon til en sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Skabelon-hjælper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "Denne enhed er ikke en zha-enhed",
+ "abort_usb_probe_failed": "Kunne ikke undersøge usb-enheden",
+ "invalid_backup_json": "Ugyldig sikkerhedskopi-JSON",
+ "choose_an_automatic_backup": "Vælg en automatisk sikkerhedskopi",
+ "restore_automatic_backup": "Gendan automatisk sikkerhedskopi",
+ "choose_formation_strategy_description": "Vælg netværksindstillingerne for din radio.",
+ "restore_an_automatic_backup": "Gendan en automatisk sikkerhedskopi",
+ "create_a_network": "Opret et netværk",
+ "keep_radio_network_settings": "Behold indstillinger for radionetværk",
+ "upload_a_manual_backup": "Upload en manuel sikkerhedskopi",
+ "network_formation": "Netværksdannelse",
+ "serial_device_path": "Seriel enhedssti",
+ "select_a_serial_port": "Vælg en seriel port",
+ "radio_type": "Radiotype",
+ "manual_pick_radio_type_description": "Vælg din Zigbee-radiotype",
+ "port_speed": "Porthastighed",
+ "data_flow_control": "Dataflowstyring",
+ "manual_port_config_description": "Indtast indstillingerne for den serielle port",
+ "serial_port_settings": "Indstillinger for seriel port",
+ "data_overwrite_coordinator_ieee": "Udskift radioens IEEE-adresse permanent",
+ "overwrite_radio_ieee_address": "Overskriv radio-IEEE-adresse",
+ "upload_a_file": "Upload en fil",
+ "radio_is_not_recommended": "Radio anbefales ikke",
+ "invalid_ics_file": "Ugyldig .isc fil",
+ "calendar_name": "Kalendernavn",
+ "starting_data": "Start data",
+ "zha_alarm_options_alarm_arm_requires_code": "Kode, der kræves til armering",
+ "zha_alarm_options_alarm_master_code": "Hovedkode til alarmkontrolpanel(er)",
+ "alarm_control_panel_options": "Indstillinger for alarmkontrolpanel",
+ "zha_options_consider_unavailable_battery": "Betragt batteridrevne enheder som utilgængelige efter (sekunder)",
+ "zha_options_consider_unavailable_mains": "Betragt stikkontakt-strømforsynede enheder som utilgængelige efter (sekunder)",
+ "zha_options_default_light_transition": "Standard lysovergangstid (sekunder)",
+ "zha_options_group_members_assume_state": "Gruppemedlemmer antager gruppens tilstand",
+ "zha_options_light_transitioning_flag": "Aktivér forbedret lysstyrkeskyder under lysovergang",
+ "global_options": "Globale indstillinger",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker-indstillinger",
"enable_birth_message": "Enable birth message",
"birth_message_payload": "Birth message payload",
"birth_message_qos": "Birth message QoS",
@@ -2604,13 +2754,44 @@
"will_message_topic": "Will message topic",
"data_description_discovery": "Option to enable MQTT automatic discovery.",
"mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Tillad deCONZ CLIP-sensorer",
- "allow_deconz_light_groups": "Tillad deCONZ-lysgrupper",
- "data_allow_new_devices": "Tillad automatisk tilføjelse af nye enheder",
- "deconz_devices_description": "Konfigurer synligheden af deCONZ-enhedstyper",
- "deconz_options": "deCONZ-indstillinger",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Sprogkode",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2618,26 +2799,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Sprogkode",
- "bluetooth_scanner_mode": "Bluetooth-scannertilstand",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Tillad deCONZ CLIP-sensorer",
+ "allow_deconz_light_groups": "Tillad deCONZ-lysgrupper",
+ "data_allow_new_devices": "Tillad automatisk tilføjelse af nye enheder",
+ "deconz_devices_description": "Konfigurer synligheden af deCONZ-enhedstyper",
+ "deconz_options": "deCONZ-indstillinger",
"select_test_server": "Select test server",
- "toggle_entity_name": "Skift {entity_name} til/fra",
- "turn_off_entity_name": "Sluk {entity_name}",
- "turn_on_entity_name": "Tænd for {entity_name}",
- "entity_name_is_off": "{entity_name} er fra",
- "entity_name_is_on": "{entity_name} er til",
- "trigger_type_changed_states": "{entity_name} tændte eller slukkede",
- "entity_name_turned_off": "{entity_name} slukkede",
- "entity_name_turned_on": "{entity_name} tændte",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth-scannertilstand",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Omkonfigurér ZHA",
+ "unplug_your_old_radio": "Frakobl din gamle radio",
+ "intent_migrate_title": "Migrer til en ny radio",
+ "re_configure_the_current_radio": "Omkonfigurer den aktuelle radio",
+ "migrate_or_re_configure": "Migrér eller omkonfigurér",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Aktuelt {entity_name} luftkvalitetsindeks",
"current_entity_name_area": "Current {entity_name} area",
@@ -2732,6 +2998,58 @@
"entity_name_water_changes": "{entity_name} vand ændres",
"entity_name_weight_changes": "{entity_name} vægt ændres",
"entity_name_wind_speed_changes": "{entity_name} vindhastighed ændres",
+ "decrease_entity_name_brightness": "Formindsk lysstyrken på {entity_name}",
+ "increase_entity_name_brightness": "Forøg lysstyrken på {entity_name}",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Skift {entity_name} til/fra",
+ "turn_off_entity_name": "Sluk {entity_name}",
+ "turn_on_entity_name": "Tænd for {entity_name}",
+ "entity_name_is_off": "{entity_name} er fra",
+ "entity_name_is_on": "{entity_name} er til",
+ "flash": "Blink",
+ "trigger_type_changed_states": "{entity_name} tændte eller slukkede",
+ "entity_name_turned_off": "{entity_name} slukkede",
+ "entity_name_turned_on": "{entity_name} tændte",
+ "set_value_for_entity_name": "Indstil værdi for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} opdateringstilgængelighed ændret",
+ "entity_name_became_up_to_date": "{entity_name} blev opdateret",
+ "trigger_type_turned_on": "{entity_name} got an update available",
+ "first_button": "Første knap",
+ "second_button": "Anden knap",
+ "third_button": "Tredje knap",
+ "fourth_button": "Fjerde knap",
+ "fifth_button": "Femte knap",
+ "sixth_button": "Sjette knap",
+ "subtype_double_clicked": "\"{subtype}\" dobbeltklikket",
+ "subtype_continuously_pressed": "\"{subtype}\" trykket på konstant",
+ "trigger_type_button_long_release": "\"{subtype}\" sluppet efter langt tryk",
+ "subtype_quadruple_clicked": "\"{subtype}\" firedobbelt-klikket",
+ "subtype_quintuple_clicked": "\"{subtype}\" femdobbelt-klikket",
+ "subtype_pressed": "\"{subtype}\" trykket på",
+ "subtype_released": "\"{subtype}\" sluppet",
+ "subtype_triple_clicked": "\"{subtype}\" tredobbeltklikket",
+ "entity_name_is_home": "{entity_name} er hjemme",
+ "entity_name_is_not_home": "{entity_name} er ikke hjemme",
+ "entity_name_enters_a_zone": "{entity_name} kommer ind i en zone",
+ "entity_name_leaves_a_zone": "{entity_name} forlader en zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Lad {entity_name} gøre rent",
+ "action_type_dock": "Lad {entity_name} vende tilbage til dock",
+ "entity_name_is_cleaning": "{entity_name} gør rent",
+ "entity_name_docked": "{entity_name} er i dock",
+ "entity_name_started_cleaning": "{entity_name} begyndte at rengøre",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lås {entity_name}",
+ "open_entity_name": "Åbn {entity_name}",
+ "unlock_entity_name": "Lås {entity_name} op",
+ "entity_name_is_locked": "{entity_name} er låst",
+ "entity_name_is_open": "{entity_name} er åben",
+ "entity_name_is_unlocked": "{entity_name} er låst op",
+ "entity_name_locked": "{entity_name} låst",
+ "entity_name_opened": "{entity_name} åbnet",
+ "entity_name_unlocked": "{entity_name} låst op",
"action_type_set_hvac_mode": "Skift af klimaanlægstilstand på {entity_name}",
"change_preset_on_entity_name": "Skift af forudindstilling på {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2739,8 +3057,21 @@
"entity_name_measured_humidity_changed": "{entity_name} målte luftfugtighed ændret",
"entity_name_measured_temperature_changed": "{entity_name} målte temperatur ændret",
"entity_name_hvac_mode_changed": "{entity_name} klimaanlægstilstand ændret",
- "set_value_for_entity_name": "Indstil værdi for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Luk {entity_name}",
+ "close_entity_name_tilt": "Luk vippeposition for {entity_name}",
+ "open_entity_name_tilt": "Åbn vippeposition for {entity_name}",
+ "set_entity_name_position": "Indstil {entity_name}-position",
+ "set_entity_name_tilt_position": "Angiv vippeposition for {entity_name}",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} er lukket",
+ "entity_name_closing": "{entity_name} lukker",
+ "entity_name_is_opening": "{entity_name} åbnes",
+ "current_entity_name_position_is": "Aktuel {entity_name} position er",
+ "condition_type_is_tilt_position": "Aktuel {entity_name} vippeposition er",
+ "entity_name_closed": "{entity_name} lukket",
+ "entity_name_opening": "{entity_name} åbner",
+ "entity_name_position_changes": "{entity_name} position ændres",
+ "entity_name_tilt_position_changes": "{entity_name} vippeposition ændres",
"entity_name_battery_is_low": "{entity_name} batteri er lavt",
"entity_name_is_charging": "{entity_name} oplader",
"condition_type_is_co": "{entity_name} detekterer kulilte",
@@ -2749,7 +3080,6 @@
"entity_name_is_detecting_gas": "{entity_name} registrerer gas",
"entity_name_is_hot": "{entity_name} er varm",
"entity_name_is_detecting_light": "{entity_name} registrerer lys",
- "entity_name_is_locked": "{entity_name} er låst",
"entity_name_is_moist": "{entity_name} er fugtig",
"entity_name_is_detecting_motion": "{entity_name} registrerer bevægelse",
"entity_name_is_moving": "{entity_name} bevæger sig",
@@ -2767,18 +3097,15 @@
"entity_name_is_not_cold": "{entity_name} er ikke kold",
"entity_name_is_disconnected": "{entity_name} er afbrudt",
"entity_name_is_not_hot": "{entity_name} er ikke varm",
- "entity_name_is_unlocked": "{entity_name} er låst op",
"entity_name_is_dry": "{entity_name} er tør",
"entity_name_is_not_moving": "{entity_name} bevæger sig ikke",
"entity_name_is_not_occupied": "{entity_name} er ikke optaget",
- "entity_name_is_closed": "{entity_name} er lukket",
"entity_name_is_unplugged": "{entity_name} er ikke tilsluttet strøm",
"entity_name_is_not_present": "{entity_name} er ikke til stede",
"entity_name_is_not_running": "{entity_name} kører ikke",
"condition_type_is_not_tampered": "{entity_name} registrerer ikke manipulation",
"entity_name_is_safe": "{entity_name} er sikker",
"entity_name_is_occupied": "{entity_name} er optaget",
- "entity_name_is_open": "{entity_name} er åben",
"entity_name_is_powered": "{entity_name} er tilsluttet strøm",
"entity_name_is_present": "{entity_name} er til stede",
"entity_name_is_detecting_problem": "{entity_name} registrerer problem",
@@ -2797,7 +3124,6 @@
"entity_name_started_detecting_gas": "{entity_name} begyndte at registrere gas",
"entity_name_became_hot": "{entity_name} blev varm",
"entity_name_started_detecting_light": "{entity_name} begyndte at registrere lys",
- "entity_name_locked": "{entity_name} blev låst",
"entity_name_became_moist": "{entity_name} blev fugtig",
"entity_name_started_detecting_motion": "{entity_name} begyndte at registrere bevægelse",
"entity_name_started_moving": "{entity_name} begyndte at bevæge sig",
@@ -2808,24 +3134,20 @@
"entity_name_stopped_detecting_problem": "{entity_name} stoppede med at registrere problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stoppede med at registrere røg",
"entity_name_stopped_detecting_sound": "{entity_name} stoppede med at registrere lyd",
- "entity_name_became_up_to_date": "{entity_name} blev opdateret",
"entity_name_stopped_detecting_vibration": "{entity_name} stoppede med at registrere vibration",
"entity_name_battery_normal": "{entity_name} batteri normalt",
"entity_name_became_not_cold": "{entity_name} blev ikke kold",
"entity_name_disconnected": "{entity_name} afbrudt",
"entity_name_became_not_hot": "{entity_name} blev ikke varm",
- "entity_name_unlocked": "{entity_name} låst op",
"entity_name_became_dry": "{entity_name} blev tør",
"entity_name_stopped_moving": "{entity_name} stoppede med at bevæge sig",
"entity_name_became_not_occupied": "{entity_name} blev ikke optaget",
- "entity_name_closed": "{entity_name} lukket",
"entity_name_unplugged": "{entity_name} ikke tilsluttet strøm",
"entity_name_not_present": "{entity_name} ikke til stede",
"trigger_type_not_running": "{entity_name} kører ikke længere",
"entity_name_stopped_detecting_tampering": "{entity_name} stoppede med at registrere manipulation",
"entity_name_became_safe": "{entity_name} blev sikker",
"entity_name_became_occupied": "{entity_name} blev optaget",
- "entity_name_opened": "{entity_name} åbnet",
"entity_name_powered": "{entity_name} tilsluttet strøm",
"entity_name_present": "{entity_name} til stede",
"entity_name_started_detecting_problem": "{entity_name} begyndte at registrere problem",
@@ -2843,36 +3165,6 @@
"entity_name_starts_buffering": "{entity_name} starts buffering",
"entity_name_becomes_idle": "{entity_name} becomes idle",
"entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} er hjemme",
- "entity_name_is_not_home": "{entity_name} er ikke hjemme",
- "entity_name_enters_a_zone": "{entity_name} kommer ind i en zone",
- "entity_name_leaves_a_zone": "{entity_name} forlader en zone",
- "decrease_entity_name_brightness": "Formindsk lysstyrken på {entity_name}",
- "increase_entity_name_brightness": "Forøg lysstyrken på {entity_name}",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Blink",
- "entity_name_update_availability_changed": "{entity_name} opdateringstilgængelighed ændret",
- "trigger_type_turned_on": "{entity_name} got an update available",
- "arm_entity_name_away": "Tilkobl {entity_name} ude",
- "arm_entity_name_home": "Tilkobl {entity_name} hjemme",
- "arm_entity_name_night": "Tilkobl {entity_name} nat",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Frakobl {entity_name}",
- "trigger_entity_name": "Udløs {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} is disarmed",
- "entity_name_is_triggered": "{entity_name} is triggered",
- "entity_name_armed_away": "{entity_name} tilkoblet ude",
- "entity_name_armed_home": "{entity_name} tilkoblet hjemme",
- "entity_name_armed_night": "{entity_name} tilkoblet nat",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} frakoblet",
- "entity_name_triggered": "{entity_name} udløst",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
"action_type_select_first": "Ændr {entity_name} til første mulighed",
"action_type_select_last": "Ændr {entity_name} til sidste mulighed",
"action_type_select_next": "Ændr {entity_name} til næste mulighed",
@@ -2882,34 +3174,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name}-mulighed ændret",
- "close_entity_name": "Luk {entity_name}",
- "close_entity_name_tilt": "Luk vippeposition for {entity_name}",
- "open_entity_name": "Åbn {entity_name}",
- "open_entity_name_tilt": "Åbn vippeposition for {entity_name}",
- "set_entity_name_position": "Indstil {entity_name}-position",
- "set_entity_name_tilt_position": "Angiv vippeposition for {entity_name}",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_closing": "{entity_name} lukker",
- "entity_name_is_opening": "{entity_name} åbnes",
- "current_entity_name_position_is": "Aktuel {entity_name} position er",
- "condition_type_is_tilt_position": "Aktuel {entity_name} vippeposition er",
- "entity_name_opening": "{entity_name} åbner",
- "entity_name_position_changes": "{entity_name} position ændres",
- "entity_name_tilt_position_changes": "{entity_name} vippeposition ændres",
- "first_button": "Første knap",
- "second_button": "Anden knap",
- "third_button": "Tredje knap",
- "fourth_button": "Fjerde knap",
- "fifth_button": "Femte knap",
- "sixth_button": "Sjette knap",
- "subtype_double_clicked": "{subtype} dobbelt klik",
- "subtype_continuously_pressed": "\"{subtype}\"-knappen trykket på konstant",
- "trigger_type_button_long_release": "\"{subtype}\" sluppet efter langt tryk",
- "subtype_quadruple_clicked": "\"{subtype}\"-knappen firedobbelt-klikket",
- "subtype_quintuple_clicked": "\"{subtype}\"-knappen femdobbelt-klikket",
- "subtype_pressed": "\"{subtype}\"-knappen trykket på",
- "subtype_released": "\"{subtype}\"-knappen sluppet",
- "subtype_triple_clicked": "{subtype} tredobbelt klik",
"both_buttons": "Begge knapper",
"bottom_buttons": "Nederste knapper",
"seventh_button": "Syvende knap",
@@ -2921,7 +3185,6 @@
"side": "Side 6",
"top_buttons": "Øverste knapper",
"device_awakened": "Enheden vækket",
- "trigger_type_remote_button_long_release": "\"{subtype}\"-knappen sluppet efter langt tryk",
"button_rotated_subtype": "Knap roteret \"{subtype}\"",
"button_rotated_fast_subtype": "Knap roteret hurtigt \"{subtype}\"",
"button_rotation_subtype_stopped": "Knaprotation \"{subtype}\" er stoppet",
@@ -2935,12 +3198,6 @@
"trigger_type_remote_rotate_from_side": "Enhed roteret fra \"side 6\" til \"{subtype}\"",
"device_turned_clockwise": "Enhed drejet med uret",
"device_turned_counter_clockwise": "Enhed drejet mod uret",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Lad {entity_name} gøre rent",
- "action_type_dock": "Lad {entity_name} vende tilbage til dock",
- "entity_name_is_cleaning": "{entity_name} gør rent",
- "entity_name_docked": "{entity_name} er i dock",
- "entity_name_started_cleaning": "{entity_name} begyndte at rengøre",
"subtype_button_down": "{subtype} knap ned",
"subtype_button_up": "{subtype} knap op",
"subtype_double_push": "{subtype} dobbelt tryk",
@@ -2951,28 +3208,54 @@
"trigger_type_single_long": "{subtype} enkelt klik og derefter langt klik",
"subtype_single_push": "{subtype} enkelt tryk",
"subtype_triple_push": "{subtype} tredobbelt tryk",
- "lock_entity_name": "Lås {entity_name}",
- "unlock_entity_name": "Lås {entity_name} op",
+ "arm_entity_name_away": "Tilkobl {entity_name} ude",
+ "arm_entity_name_home": "Tilkobl {entity_name} hjemme",
+ "arm_entity_name_night": "Tilkobl {entity_name} nat",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Frakobl {entity_name}",
+ "trigger_entity_name": "Udløs {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} is disarmed",
+ "entity_name_is_triggered": "{entity_name} is triggered",
+ "entity_name_armed_away": "{entity_name} tilkoblet ude",
+ "entity_name_armed_home": "{entity_name} tilkoblet hjemme",
+ "entity_name_armed_night": "{entity_name} tilkoblet nat",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} frakoblet",
+ "entity_name_triggered": "{entity_name} udløst",
+ "action_type_issue_all_led_effect": "Udsted effekt for alle LED'er",
+ "action_type_issue_individual_led_effect": "Udsted effekt for den enkelte LED",
+ "squawk": "Squawk",
+ "warn": "Advar",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "Med ansigt 6 aktiveret",
+ "with_any_specified_face_s_activated": "Med ethvert/specificeret ansigt(er) aktiveret",
+ "device_dropped": "Enhed faldt",
+ "device_flipped_subtype": "Enhed vendt \"{subtype}\"",
+ "device_knocked_subtype": "Enhed banket \"{subtype}\"",
+ "device_offline": "Enhed offline",
+ "device_rotated_subtype": "Enhed roteret \"{subtype}\"",
+ "device_slid_subtype": "Enheden gled \"{subtype}\"",
+ "device_tilted": "Enheden vippet",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" dobbeltklikket (alternativ tilstand)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" konstant trykket på (alternativ tilstand)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" sluppet efter et langt tryk (alternativ tilstand)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" firedobbelt klikket (alternativ tilstand)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" femdobbelt klikket (alternativ tilstand)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" trykket på (alternativ tilstand)",
+ "subtype_released_alternate_mode": "\"{subtype}\" sluppet (alternativ tilstand)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" tredobbelt klikket (alternativ tilstand)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Lav en tom kalender",
- "options_import_ics_file": "Upload en iCalender fil (.ics)",
- "passive": "Passiv",
- "most_recently_updated": "Senest opdaterede",
- "arithmetic_mean": "Aritmetisk middelværdi",
- "median": "Median",
- "product": "Produkt",
- "statistical_range": "Statistisk interval",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3103,51 +3386,21 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Overgang",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Åbner/lukker en ventil.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passiv",
+ "no_code_format": "No code format",
+ "fatal": "Fatal",
+ "most_recently_updated": "Senest opdaterede",
+ "arithmetic_mean": "Aritmetisk middelværdi",
+ "median": "Median",
+ "product": "Produkt",
+ "statistical_range": "Statistisk interval",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Lav en tom kalender",
+ "options_import_ics_file": "Upload en iCalender fil (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3164,6 +3417,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3174,102 +3428,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Tjek konfiguration",
- "reload_all": "Genindlæs alle",
- "reload_config_entry_description": "Genindlæser den angivne konfigurationspost.",
- "config_entry_id": "Konfigurationspost-ID",
- "reload_config_entry": "Genindlæs konfigurationspost",
- "reload_core_config_description": "Genindlæser grundkonfigurationen fra YAML-konfigurationen.",
- "reload_core_configuration": "Genindlæs grundkonfiguration",
- "reload_custom_jinja_templates": "Genindlæs brugerdefinerede Jinja2-skabeloner",
- "restarts_home_assistant": "Genstarter Home Assistant.",
- "safe_mode_description": "Deaktivér brugerdefinerede integrationer og brugerdefinerede kort.",
- "save_persistent_states": "Gem vedvarende tilstande",
- "set_location_description": "Opdaterer Home Assistant-lokaliteten.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Breddegrad på din lokalitet.",
- "longitude_of_your_location": "Længdegrad på din lokalitet.",
- "set_location": "Angiv lokalitet",
- "stops_home_assistant": "Stopper Home Assistant.",
- "generic_toggle": "Generisk til/fra-knap",
- "generic_turn_off": "Generisk slukning",
- "generic_turn_on": "Generisk tænding",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Opdatér entitet",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Tænder/slukker for støvsugeren.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Niveau",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Lysstyrkeværdi",
"a_human_readable_color_name": "Et menneskeligt læsbart farvenavn.",
"color_name": "Farvenavn",
@@ -3282,25 +3445,70 @@
"rgbww_color": "RGBWW-farve",
"white_description": "Indstil lyset til hvid tilstand.",
"xy_color": "XY-farve",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Skift lysstyrke med en mængde.",
"brightness_step_value": "Lysstyrketrinværdi",
"brightness_step_pct_description": "Skift lysstyrke i procent.",
"brightness_step": "Trin for lysstyrke",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Argumenter",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Klynge-ID",
+ "type_of_the_cluster": "Type af klyngen.",
+ "cluster_type": "Klyngetype",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Slutpunkt-id for klyngen.",
+ "endpoint_id": "Slutpunkt-ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Producent",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Parameter",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR-kode",
+ "source_ieee": "Source IEEE",
+ "permit": "Tillad",
+ "reconfigure_device": "Konfigurer enhed igen",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID for den egenskab, der skal indstilles.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Indstil zigbee-klyngeegenskab",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensitet",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3326,26 +3534,306 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Stop overspringning",
+ "install_update": "Installér opdatering",
+ "skip_description": "Markerer den aktuelt tilgængelige opdatering som oversprunget.",
+ "skip_update": "Spring opdatering over",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Tjek konfiguration",
+ "reload_all": "Genindlæs alle",
+ "reload_config_entry_description": "Genindlæser den angivne konfigurationspost.",
+ "config_entry_id": "Konfigurationspost-ID",
+ "reload_config_entry": "Genindlæs konfigurationspost",
+ "reload_core_config_description": "Genindlæser grundkonfigurationen fra YAML-konfigurationen.",
+ "reload_core_configuration": "Genindlæs grundkonfiguration",
+ "reload_custom_jinja_templates": "Genindlæs brugerdefinerede Jinja2-skabeloner",
+ "restarts_home_assistant": "Genstarter Home Assistant.",
+ "safe_mode_description": "Deaktivér brugerdefinerede integrationer og brugerdefinerede kort.",
+ "save_persistent_states": "Gem vedvarende tilstande",
+ "set_location_description": "Opdaterer Home Assistant-lokaliteten.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Breddegrad på din lokalitet.",
+ "longitude_of_your_location": "Længdegrad på din lokalitet.",
+ "set_location": "Angiv lokalitet",
+ "stops_home_assistant": "Stopper Home Assistant.",
+ "generic_toggle": "Generisk til/fra-knap",
+ "generic_turn_off": "Generisk slukning",
+ "generic_turn_on": "Generisk tænding",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Opdatér entitet",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Titel til din notifikation.",
+ "title_of_the_notification": "Titel på notifikation.",
+ "send_a_persistent_notification": "Send en vedvarende notifikation",
+ "sends_a_notification_message": "Sender en notifikationsbesked.",
+ "your_notification_message": "Din notifikationsbesked.",
+ "title_description": "Valgfri titel på notifikationen.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Emne",
+ "export": "Eksportér",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Emne at udgive til.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Skriv en logpost.",
+ "log_level": "Logningsniveau.",
+ "message_to_log": "Meddelelse, der skal logføres.",
+ "write": "Skriv",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Starter en samtale fra en transskriberet tekst.",
+ "agent": "Agent",
+ "conversation_id": "Samtale-ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Genindlæser hensigts-konfigurationen.",
+ "conversation_agent_to_reload": "Samtaleagent, der skal genindlæses.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Genstarter et add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3384,40 +3872,6 @@
"restore_partial_description": "Gendanner fra en delvis sikkerhedskopi.",
"restores_home_assistant": "Gendanner Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Stop overspringning",
- "install_update": "Installér opdatering",
- "skip_description": "Markerer den aktuelt tilgængelige opdatering som oversprunget.",
- "skip_update": "Spring opdatering over",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Indstiller alarmen til: _tilkoblet til ferie_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3425,77 +3879,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Emne",
- "export": "Eksportér",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Emne at udgive til.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Åbner/lukker en ventil.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3504,83 +3897,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Titel til din notifikation.",
- "title_of_the_notification": "Titel på notifikation.",
- "send_a_persistent_notification": "Send en vedvarende notifikation",
- "sends_a_notification_message": "Sender en notifikationsbesked.",
- "your_notification_message": "Din notifikationsbesked.",
- "title_description": "Valgfri titel på notifikationen.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Starter en samtale fra en transskriberet tekst.",
- "agent": "Agent",
- "conversation_id": "Samtale-ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Genindlæser hensigts-konfigurationen.",
- "conversation_agent_to_reload": "Samtaleagent, der skal genindlæses.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Skriv en logpost.",
- "log_level": "Logningsniveau.",
- "message_to_log": "Meddelelse, der skal logføres.",
- "write": "Skriv",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Indstiller alarmen til: _tilkoblet til ferie_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/de/de.json b/packages/core/src/hooks/useLocale/locales/de/de.json
index 3c4a7bf5..87b00dc4 100644
--- a/packages/core/src/hooks/useLocale/locales/de/de.json
+++ b/packages/core/src/hooks/useLocale/locales/de/de.json
@@ -68,8 +68,8 @@
"action_to_target": "{action} als Ziel",
"target": "Ziel",
"humidity_target": "Soll-Luftfeuchtigkeit",
- "increment": "Erhöhung",
- "decrement": "Verringerung",
+ "increment": "Erhöhen",
+ "decrement": "Verringern",
"reset": "Zurücksetzen",
"position": "Position",
"tilt_position": "Kippstellung",
@@ -217,6 +217,7 @@
"name": "Name",
"optional": "optional",
"default": "Standard",
+ "ui_common_dont_save": "Nicht speichern",
"select_media_player": "Mediaplayer auswählen",
"media_browse_not_supported": "Mediaplayer unterstützt kein Auswählen aus Medienquellen.",
"pick_media": "Medien auswählen",
@@ -236,7 +237,7 @@
"selector_options": "Selektor-Optionen",
"action": "Aktion",
"area": "Fläche",
- "attribute": "Attribut",
+ "attribute": "Attribute",
"boolean": "Boolescher Wert",
"condition": "Bedingung",
"date": "Datum",
@@ -276,7 +277,7 @@
"was_detected_away": "wurde als abwesend geortet",
"was_detected_at_state": "wurde bei {state} geortet",
"rose": "ist aufgegangen",
- "set": "Einstellen",
+ "set": "Festlegen",
"was_low": "wurde niedrig",
"was_normal": "wurde normal",
"was_connected": "wurde verbunden",
@@ -630,7 +631,6 @@
"last": "Letzte",
"times": "Mal",
"summary": "Zusammenfassung",
- "attributes": "Attribute",
"select_camera": "Kamera auswählen",
"qr_scanner_not_supported": "Dein Browser unterstützt kein Scannen von QR-Codes.",
"enter_qr_code_value": "QR-Code Wert eingeben",
@@ -641,8 +641,9 @@
"line_line_column_column": "Zeile: {line}, Spalte: {column}",
"last_changed": "Letzte Veränderung",
"last_updated": "Zuletzt aktualisiert",
- "remaining_time": "Verbleibende Zeit",
+ "time_left": "Verbleibende Zeit",
"install_status": "Installationsstatus",
+ "ui_components_multi_textfield_add_item": "{item} hinzufügen",
"safe_mode": "Abgesicherter Modus",
"all_yaml_configuration": "Alle YAML-Konfigurationen",
"domain": "Domäne",
@@ -748,7 +749,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Vor der Aktualisierung ein Backup erstellen",
"update_instructions": "Update-Anweisungen",
"current_activity": "Aktuelle Aktivität",
- "status": "Status",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Staubsauger-Befehle:",
"fan_speed": "Saugkraft",
"clean_spot": "Fleck reinigen",
@@ -783,7 +784,7 @@
"default_code": "Standardcode",
"editor_default_code_error": "Code stimmt nicht mit dem Codeformat überein",
"entity_id": "Entitäts-ID",
- "unit": "Maßeinheit",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "Niederschlagseinheit",
"display_precision": "Anzeigegenauigkeit",
"default_value": "Standard ({value})",
@@ -804,7 +805,7 @@
"cold": "Kälte",
"connectivity": "Konnektivität",
"gas": "Gasmenge",
- "heat": "Hitze",
+ "heat": "Heizen",
"light": "Licht",
"moisture": "Feuchtigkeit",
"motion": "Bewegung",
@@ -864,7 +865,7 @@
"restart_home_assistant": "Home Assistant neu starten?",
"advanced_options": "Erweiterte Optionen",
"quick_reload": "Schnelles Neuladen",
- "reload_description": "Lädt alle verfügbaren Skripte neu.",
+ "reload_description": "Lädt Timer aus der YAML-Konfiguration neu.",
"reloading_configuration": "Konfiguration neu laden",
"failed_to_reload_configuration": "Konfiguration konnte nicht neu geladen werden",
"restart_description": "Unterbricht alle laufenden Automationen und Skripte.",
@@ -894,8 +895,8 @@
"password": "Passwort",
"regex_pattern": "Regex-Muster",
"used_for_client_side_validation": "Wird für die clientseitige Validierung verwendet",
- "minimum_value": "Minimalwert",
- "maximum_value": "Maximalwert",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Eingabefeld",
"slider": "Schieberegler",
"step": "Schrittweite",
@@ -941,8 +942,8 @@
"last_seen": "Zuletzt gesehen",
"power_source": "Energiequelle",
"change_device_name": "Gerätename ändern",
- "device_debug_info": "{device} Debug-Informationen",
- "mqtt_device_debug_info_deserialize": "Versuchen MQTT-Nachrichten als JSON zu parsen",
+ "device_debug_info": "{device} Debugging-Info",
+ "mqtt_device_debug_info_deserialize": "Versuchen, MQTT-Nachrichten als JSON zu parsen",
"no_entities": "Keine Entitäten",
"no_triggers": "Keine Auslöser",
"payload_display": "Payload anzeigen",
@@ -1213,7 +1214,7 @@
"ui_panel_lovelace_editor_edit_view_type_helper_sections": "Du kannst deine Ansicht nicht in den Ansichtstyp „Abschnitte“ ändern, da die Migration noch nicht unterstützt wird. Wenn du mit dem Ansichtstyp „Abschnitte“ experimentieren möchtest, beginne mit einer neuen, leeren Ansicht.",
"card_configuration": "Karte anpassen",
"type_card_configuration": "{type}-Karte anpassen",
- "edit_card_pick_card": "Welche Karte möchtest du hinzufügen?",
+ "edit_card_pick_card": "Zum Dashboard hinzufügen",
"toggle_editor": "Editor umschalten",
"edit_card_confirm_cancel": "Bist du sicher, dass du abbrechen willst?",
"show_visual_editor": "Visuellen Editor anzeigen",
@@ -1337,6 +1338,7 @@
"history_graph_fit_y_data": "Grenzen der y-Achse erweitern, damit die Daten passen",
"statistics_graph": "Statistikdiagramm",
"period": "Zeitraum",
+ "unit": "Maßeinheit",
"show_stat_types": "Anzuzeigende Statistiken",
"chart_type": "Diagrammtyp",
"line": "Linien",
@@ -1412,6 +1414,11 @@
"show_more_detail": "Detailliertere Auflösung",
"to_do_list": "To-do-Liste",
"hide_completed_items": "Erledigte Einträge ausblenden",
+ "ui_panel_lovelace_editor_card_todo_list_display_order": "Anzeigereihenfolge",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc": "Alphabetisch (A-Z)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_desc": "Alphabetisch (Z-A)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc": "Fälligkeitsdatum (frühestes zuerst)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc": "Fälligkeitsdatum (spätestes zuerst)",
"thermostat": "Thermostat",
"thermostat_show_current_as_primary": "Ist-Temperatur als Hauptinformation anzeigen",
"tile": "Kachel",
@@ -1521,140 +1528,119 @@
"now": "Jetzt",
"compare_data": "Daten vergleichen",
"reload_ui": "Benutzeroberfläche neu laden",
- "input_datetime": "Zeitpunkt-Eingabe",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Lokaler Kalender",
- "intent": "Intent",
- "device_tracker": "Geräte-Tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Boolesche Eingabe",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
- "fan": "Ventilator",
- "weather": "Wetter",
- "camera": "Kamera",
- "schedule": "Zeitplan",
- "mqtt": "MQTT",
- "automation": "Automation",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile-App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnosedaten",
+ "filesize": "Dateigröße",
+ "group": "Gruppe",
+ "binary_sensor": "Binärsensor",
+ "ffmpeg": "FFmpeg",
"deconz": "deCONZ",
- "go_rtc": "go2rtc",
- "android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Konversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Texteingabe",
- "valve": "Ventil",
+ "google_calendar": "Google Calendar",
+ "input_select": "Auswahl-Eingabe",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Tasteneingabe",
+ "profiler": "Profiler",
"fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Skript",
+ "fan": "Lüftung",
+ "scene": "Scene",
+ "schedule": "Zeitplan",
"home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Klima",
- "binary_sensor": "Binärsensor",
- "broadlink": "Broadlink",
- "bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
- "network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Abdeckung",
- "samsungtv_smart": "SamsungTV Smart",
- "google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Ereignis",
- "home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
+ "mqtt": "MQTT",
+ "repairs": "Repairs",
+ "weather": "Wetter",
+ "command_line": "Command Line",
"wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Schalter",
- "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
- "google_assistant_sdk": "Google Assistant SDK",
+ "android_tv_remote": "Android TV Remote",
+ "assist_satellite": "Assist-Satellit",
+ "automation": "Automation",
"system_log": "System Log",
- "persistent_notification": "Anhaltende Benachrichtigung",
- "trace": "Trace",
- "remote": "Fernbedienung",
+ "cover": "Abdeckung",
+ "bluetooth_adapters": "Bluetooth Adapters",
+ "valve": "Ventil",
+ "network_configuration": "Network Configuration",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Lokaler Kalender",
"tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Zähler",
- "filesize": "Dateigröße",
+ "siren": "Sirene",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Rasenmäher",
+ "system_monitor": "System Monitor",
"image_upload": "Image Upload",
- "recorder": "Recorder",
"home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Boolesche Eingabe",
- "lawn_mower": "Rasenmäher",
- "input_select": "Auswahl-Eingabe",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile-App",
- "media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
- "shelly": "Shelly",
- "group": "Gruppe",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "google_assistant": "Google Assistant",
+ "daikin_ac": "Daikin AC",
"fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnosedaten",
- "person": "Person",
- "localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Zahlenwert-Eingabe",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "OAuth-Anmeldedaten",
- "siren": "Sirene",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Tasteneingabe",
+ "device_tracker": "Geräte-Tracker",
+ "remote": "Fernbedienung",
+ "home_assistant_cloud": "Home Assistant Cloud",
+ "persistent_notification": "Anhaltende Benachrichtigung",
"vacuum": "Staubsauger",
"reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
+ "camera": "Kamera",
+ "hacs": "HACS",
+ "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
+ "google_assistant_sdk": "Google Assistant SDK",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Zahlenwert-Eingabe",
+ "google_cast": "Google Cast",
"rpi_power_title": "Raspberry Pi Stromversorgungsprüfer",
- "assist_satellite": "Assist-Satellit",
- "script": "Skript",
- "ring": "Ring",
+ "conversation": "Konversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Klima",
+ "recorder": "Recorder",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Ereignis",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Schalter",
+ "input_datetime": "Zeitpunkt-Eingabe",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Zähler",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
"configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "OAuth-Anmeldedaten",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
+ "media_extractor": "Media Extractor",
+ "stream": "Stream",
+ "shelly": "Shelly",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Texteingabe",
+ "localtuya": "LocalTuya integration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Aktivitätskalorien",
- "awakenings_count": "Aufwachen-Zähler",
- "battery_level": "Batteriestand",
- "bmi": "BMI",
- "body_fat": "Körperfett",
- "calories": "Kalorien",
- "calories_bmr": "Kalorien-Grundumsatz",
- "calories_in": "Kalorien in",
- "floors": "Stockwerke",
- "minutes_after_wakeup": "Minuten nach dem Aufwachen",
- "minutes_fairly_active": "Minuten ziemlich aktiv",
- "minutes_lightly_active": "Minuten geringfügig aktiv",
- "minutes_sedentary": "Minuten sitzend",
- "minutes_very_active": "Minuten sehr aktiv",
- "resting_heart_rate": "Ruhepuls",
- "sleep_efficiency": "Schlafeffizienz",
- "sleep_minutes_asleep": "Schlafminuten schlafend",
- "sleep_minutes_awake": "Schlafminuten wach",
- "sleep_minutes_to_fall_asleep_name": "Schlafminuten zum Einschlafen",
- "sleep_start_time": "Schlaf-Startzeit",
- "sleep_time_in_bed": "Schlafenszeit im Bett",
- "steps": "Schritte",
"battery_low": "Batterie schwach",
"cloud_connection": "Cloud-Verbindung",
"humidity_warning": "Luftfeuchtigkeitswarnung",
@@ -1683,6 +1669,7 @@
"alarm_source": "Alarmquelle",
"auto_off_at": "Automatische Abschaltung bei",
"available_firmware_version": "Verfügbare Firmware-Version",
+ "battery_level": "Batteriestand",
"this_month_s_consumption": "Der Verbrauch dieses Monats",
"today_s_consumption": "Heutiger Verbrauch",
"total_consumption": "Gesamtverbrauch",
@@ -1708,29 +1695,16 @@
"motion_sensor": "Bewegungssensor",
"smooth_transitions": "Fließende Übergänge",
"tamper_detection": "Manipulationserkennung",
- "next_dawn": "Nächste Morgendämmerung",
- "next_dusk": "Nächste Abenddämmerung",
- "next_midnight": "Nächste Mitternacht",
- "next_noon": "Nächster Höchststand",
- "next_rising": "Nächster Aufgang",
- "next_setting": "Nächster Untergang",
- "solar_azimuth": "Solarer Azimut",
- "solar_elevation": "Solare Elevation",
- "solar_rising": "Solare Zunahme",
- "illuminance": "Beleuchtungsstärke",
- "noise": "Lärm",
- "overload": "Überlast",
- "working_location": "Arbeitsort",
- "created": "Erstellt",
- "size": "Größe",
- "size_in_bytes": "Größe in Byte",
- "compressor_energy_consumption": "Energieverbrauch des Kompressors",
- "compressor_estimated_power_consumption": "Geschätzter Stromverbrauch des Kompressors",
- "compressor_frequency": "Kompressorfrequenz",
- "cool_energy_consumption": "Kühler Energieverbrauch",
- "heat_energy_consumption": "Wärmeenergieverbrauch",
- "inside_temperature": "Innentemperatur",
- "outside_temperature": "Außentemperatur",
+ "calibration": "Kalibrierung",
+ "auto_lock_paused": "Automatische Sperre angehalten",
+ "timeout": "Zeitüberschreitung",
+ "unclosed_alarm": "Ungeschlossen Alarm",
+ "unlocked_alarm": "Entsperrter Alarm",
+ "bluetooth_signal": "Bluetooth-Signal",
+ "light_level": "Lichtstärke",
+ "wi_fi_signal": "WLAN-Signal",
+ "momentary": "Vorübergehend",
+ "pull_retract": "Ziehen/Einfahren",
"process_process": "Prozess {process}",
"disk_free_mount_point": "Freier Massenspeicher {mount_point}",
"disk_use_mount_point": "Belegter Massenspeicher {mount_point}",
@@ -1752,33 +1726,74 @@
"swap_usage": "Swap-Auslastung",
"network_throughput_in_interface": "Eingehender Netzwerkdurchsatz {interface}",
"network_throughput_out_interface": "Ausgehender Netzwerkdurchsatz {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in Arbeit",
- "preferred": "Bevorzugt",
- "finished_speaking_detection": "Sprechpausen-Erkennung",
- "aggressive": "Aggressiv",
- "relaxed": "Entspannt",
- "os_agent_version": "OS Agent Version",
- "apparmor_version": "AppArmor-Version",
- "cpu_percent": "CPU Prozent",
- "disk_free": "Speicherplatz frei",
- "disk_total": "Speicherplatz gesamt",
- "disk_used": "Speicherplatz genutzt",
- "memory_percent": "Arbeitsspeicher in Prozent",
- "version": "Version",
- "newest_version": "Neueste Version",
+ "illuminance": "Beleuchtungsstärke",
+ "noise": "Lärm",
+ "overload": "Überlast",
+ "activity_calories": "Aktivitätskalorien",
+ "awakenings_count": "Anzahl Wachphasen",
+ "bmi": "BMI",
+ "body_fat": "Körperfett",
+ "calories": "Kalorien",
+ "calories_bmr": "Kalorien-Grundumsatz",
+ "calories_in": "Kalorien in",
+ "floors": "Stockwerke",
+ "minutes_after_wakeup": "Minuten nach dem Aufwachen",
+ "minutes_fairly_active": "Minuten ziemlich aktiv",
+ "minutes_lightly_active": "Minuten geringfügig aktiv",
+ "minutes_sedentary": "Minuten sitzend",
+ "minutes_very_active": "Minuten sehr aktiv",
+ "resting_heart_rate": "Ruhepuls",
+ "sleep_efficiency": "Schlafeffizienz",
+ "sleep_minutes_asleep": "Schlafminuten schlafend",
+ "sleep_minutes_awake": "Schlafminuten wach",
+ "sleep_minutes_to_fall_asleep_name": "Schlafminuten zum Einschlafen",
+ "sleep_start_time": "Schlaf-Startzeit",
+ "sleep_time_in_bed": "Schlafenszeit im Bett",
+ "steps": "Schritte",
"synchronize_devices": "Geräte synchronisieren",
- "estimated_distance": "Geschätzte Entfernung",
- "vendor": "Hersteller",
- "quiet": "Leise",
- "wake_word": "Aktivierungswort",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Automatische Verstärkung",
+ "ding": "Klingeln",
+ "last_recording": "Letzte Aufnahme",
+ "intercom_unlock": "Gegensprechanlage entsperren",
+ "doorbell_volume": "Türklingel-Lautstärke",
"mic_volume": "Mikrofon-Lautstärke",
- "noise_suppression_level": "Pegel der Rauschunterdrückung",
- "off": "Aus",
+ "voice_volume": "Sprach-Lautstärke",
+ "last_activity": "Letzte Aktivität",
+ "last_ding": "Letztes Klingeln",
+ "last_motion": "Letzte Bewegung",
+ "wi_fi_signal_category": "WLAN-Signalkategorie",
+ "wi_fi_signal_strength": "WLAN-Signalstärke",
+ "in_home_chime": "Haustürklingel",
+ "compressor_energy_consumption": "Energieverbrauch des Kompressors",
+ "compressor_estimated_power_consumption": "Geschätzter Stromverbrauch des Kompressors",
+ "compressor_frequency": "Kompressorfrequenz",
+ "cool_energy_consumption": "Kühler Energieverbrauch",
+ "heat_energy_consumption": "Wärmeenergieverbrauch",
+ "inside_temperature": "Innentemperatur",
+ "outside_temperature": "Außentemperatur",
+ "device_admin": "Geräteadministrator",
+ "kiosk_mode": "Kioskmodus",
+ "plugged_in": "Eingesteckt",
+ "load_start_url": "Start-URL laden",
+ "restart_browser": "Browser neu starten",
+ "restart_device": "Gerät neu starten",
+ "send_to_background": "In den Hintergrund rücken",
+ "bring_to_foreground": "In den Vordergrund rücken",
+ "screenshot": "Bildschirmfoto",
+ "overlay_message": "Overlay-Nachricht",
+ "screen_brightness": "Bildschirmhelligkeit",
+ "screen_off_timer": "Bildschirm-Aus-Timer",
+ "screensaver_brightness": "Bildschirmschoner-Helligkeit",
+ "screensaver_timer": "Bildschirmschoner-Timer",
+ "current_page": "Aktuelle Seite",
+ "foreground_app": "Vordergrund-App",
+ "internal_storage_free_space": "Interner freier Speicherplatz",
+ "internal_storage_total_space": "Interner Speicherplatz insgesamt",
+ "free_memory": "Freier Speicher",
+ "total_memory": "Gesamtspeicher",
+ "screen_orientation": "Bildschirmausrichtung",
+ "kiosk_lock": "Kiosk-Schloss",
+ "maintenance_mode": "Wartungsmodus",
+ "screensaver": "Bildschirmschoner",
"animal": "Tier",
"detected": "Erkannt",
"animal_lens": "Tier Objektiv 1",
@@ -1839,7 +1854,7 @@
"auto_track_limit_right": "Auto-Track-Limit rechts",
"auto_track_stop_time": "Auto-Track-Stoppzeit",
"day_night_switch_threshold": "Schwelle für Tag-Nacht-Umschaltung",
- "floodlight_turn_on_brightness": "Scheinwerfer-Helligkeit beim einschalten",
+ "floodlight_turn_on_brightness": "Scheinwerfer-Helligkeit beim Einschalten",
"focus": "Fokus",
"guard_return_time": "Rückkehrzeit des Guards",
"image_brightness": "Bildhelligkeit",
@@ -1852,6 +1867,7 @@
"pir_sensitivity": "PIR-Empfindlichkeit",
"zoom": "Zoom",
"auto_quick_reply_message": "Automatische Schnellantwortnachricht",
+ "off": "Aus",
"auto_track_method": "Auto-Track-Methode",
"digital": "Digital",
"digital_first": "Zuerst digital",
@@ -1901,7 +1917,6 @@
"ptz_pan_position": "PTZ-Schwenkposition",
"ptz_tilt_position": "PTZ-Neigeposition",
"sd_hdd_index_storage": "SD-{hdd_index}-Speicher",
- "wi_fi_signal": "WLAN-Signal",
"auto_focus": "Autofokus",
"auto_tracking": "Automatisches Tracking",
"doorbell_button_sound": "Klingeltastenton",
@@ -1918,6 +1933,48 @@
"record": "Aufzeichnen",
"record_audio": "Audio aufnehmen",
"siren_on_event": "Sirene bei Ereignis",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Erstellt",
+ "size": "Größe",
+ "size_in_bytes": "Größe in Byte",
+ "assist_in_progress": "Assist in Arbeit",
+ "quiet": "Leise",
+ "preferred": "Bevorzugt",
+ "finished_speaking_detection": "Sprechpausen-Erkennung",
+ "aggressive": "Aggressiv",
+ "relaxed": "Entspannt",
+ "wake_word": "Aktivierungswort",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent Version",
+ "apparmor_version": "AppArmor-Version",
+ "cpu_percent": "CPU Prozent",
+ "disk_free": "Speicherplatz frei",
+ "disk_total": "Speicherplatz gesamt",
+ "disk_used": "Speicherplatz genutzt",
+ "memory_percent": "Arbeitsspeicher in Prozent",
+ "version": "Version",
+ "newest_version": "Neueste Version",
+ "auto_gain": "Automatische Verstärkung",
+ "noise_suppression_level": "Pegel der Rauschunterdrückung",
+ "bytes_received": "Empfangene Byte",
+ "server_country": "Land des Servers",
+ "server_id": "Server-ID",
+ "server_name": "Servername",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Gesendete Byte",
+ "working_location": "Arbeitsort",
+ "next_dawn": "Nächste Morgendämmerung",
+ "next_dusk": "Nächste Abenddämmerung",
+ "next_midnight": "Nächste Mitternacht",
+ "next_noon": "Nächster Höchststand",
+ "next_rising": "Nächster Aufgang",
+ "next_setting": "Nächster Untergang",
+ "solar_azimuth": "Solarer Azimut",
+ "solar_elevation": "Solare Elevation",
+ "solar_rising": "Solare Zunahme",
"heavy": "Schwer",
"mild": "Leicht",
"button_down": "Taste gedrückt",
@@ -1932,75 +1989,252 @@
"warm_up": "Aufwärmen",
"not_completed": "Nicht abgeschlossen",
"pending": "Anstehend",
- "checking": "Prüft",
- "closing": "Wird geschlossen",
+ "checking": "Wird geprüft",
+ "closing": "Schließt",
"opened": "Geöffnet",
- "ding": "Klingeln",
- "last_recording": "Letzte Aufnahme",
- "intercom_unlock": "Gegensprechanlage entsperren",
- "doorbell_volume": "Türklingel-Lautstärke",
- "voice_volume": "Sprach-Lautstärke",
- "last_activity": "Letzte Aktivität",
- "last_ding": "Letztes Klingeln",
- "last_motion": "Letzte Bewegung",
- "wi_fi_signal_category": "WLAN-Signalkategorie",
- "wi_fi_signal_strength": "WLAN-Signalstärke",
- "in_home_chime": "Haustürklingel",
- "calibration": "Kalibrierung",
- "auto_lock_paused": "Automatische Sperre angehalten",
- "timeout": "Zeitüberschreitung",
- "unclosed_alarm": "Ungeschlossen Alarm",
- "unlocked_alarm": "Entsperrter Alarm",
- "bluetooth_signal": "Bluetooth-Signal",
- "light_level": "Lichtstärke",
- "momentary": "Vorübergehend",
- "pull_retract": "Ziehen/Einfahren",
- "bytes_received": "Empfangene Byte",
- "server_country": "Land des Servers",
- "server_id": "Server-ID",
- "server_name": "Servername",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Gesendete Byte",
- "device_admin": "Geräteadministrator",
- "kiosk_mode": "Kioskmodus",
- "plugged_in": "Eingesteckt",
- "load_start_url": "Start-URL laden",
- "restart_browser": "Browser neu starten",
- "restart_device": "Gerät neu starten",
- "send_to_background": "In den Hintergrund rücken",
- "bring_to_foreground": "In den Vordergrund rücken",
- "screenshot": "Bildschirmfoto",
- "overlay_message": "Overlay-Nachricht",
- "screen_brightness": "Bildschirmhelligkeit",
- "screen_off_timer": "Bildschirm-Aus-Timer",
- "screensaver_brightness": "Bildschirmschoner-Helligkeit",
- "screensaver_timer": "Bildschirmschoner-Timer",
- "current_page": "Aktuelle Seite",
- "foreground_app": "Vordergrund-App",
- "internal_storage_free_space": "Interner freier Speicherplatz",
- "internal_storage_total_space": "Interner Speicherplatz insgesamt",
- "free_memory": "Freier Speicher",
- "total_memory": "Gesamtspeicher",
- "screen_orientation": "Bildschirmausrichtung",
- "kiosk_lock": "Kiosk-Schloss",
- "maintenance_mode": "Wartungsmodus",
- "screensaver": "Bildschirmschoner",
- "last_scanned_by_device_id_name": "Zuletzt gescannt von Geräte-ID",
- "tag_id": "Tag-ID",
- "managed_via_ui": "Verwaltet über UI",
- "max_length": "Maximale Länge",
- "min_length": "Minimale Länge",
- "pattern": "Muster",
- "minute": "Minute",
- "second": "Sekunde",
- "timestamp": "Zeitstempel",
- "stopped": "Angehalten",
+ "estimated_distance": "Geschätzte Entfernung",
+ "vendor": "Hersteller",
+ "accelerometer": "Beschleunigungsmesser",
+ "binary_input": "Binärer Eingang",
+ "calibrated": "Kalibriert",
+ "consumer_connected": "Verbraucher verbunden",
+ "external_sensor": "Externer Sensor",
+ "frost_lock": "Frostsperre",
+ "opened_by_hand": "Von Hand geöffnet",
+ "heat_required": "Wärmebedarf",
+ "ias_zone": "IAS-Zone",
+ "linkage_alarm_state": "Zustand des Kopplungsalarms",
+ "mounting_mode_active": "Montagemodus aktiv",
+ "open_window_detection_status": "Status der Fenster-offen-Erkennung",
+ "pre_heat_status": "Vorheizstatus",
+ "replace_filter": "Filter ersetzen",
+ "valve_alarm": "Ventilalarm",
+ "open_window_detection": "Fenster-offen-Erkennung",
+ "feed": "Füttern",
+ "frost_lock_reset": "Frostsperre zurücksetzen",
+ "presence_status_reset": "Zurücksetzen des Anwesenheitsstatus",
+ "reset_summation_delivered": "Gelieferte Summierung zurücksetzen",
+ "self_test": "Selbsttest",
+ "keen_vent": "Keen Lüfter",
+ "fan_group": "Ventilatoren-Gruppe",
+ "light_group": "Leuchten-Gruppe",
+ "door_lock": "Türschloss",
+ "ambient_sensor_correction": "Umgebungssensor-Korrektur",
+ "approach_distance": "Annäherungsdistanz",
+ "automatic_switch_shutoff_timer": "Timer für die automatische Abschaltung des Schalters",
+ "away_preset_temperature": "Voreingestellte Abwesenheitstemperatur",
+ "boost_amount": "Boost-Menge",
+ "button_delay": "Tasten-Verzögerung",
+ "local_default_dimming_level": "Standard-Dimmstufe lokal",
+ "remote_default_dimming_level": "Standard-Dimmstufe per Fernbedienung",
+ "default_move_rate": "Standardbewegungsrate",
+ "detection_delay": "Erkennungsverzögerung",
+ "maximum_range": "Maximale Reichweite",
+ "minimum_range": "Minimale Reichweite",
+ "detection_interval": "Erkennungsintervall",
+ "local_dimming_down_speed": "Lokale Runterdimmgeschwindigkeit",
+ "remote_dimming_down_speed": "Entfernte Runterdimmgeschwindigkeit",
+ "local_dimming_up_speed": "Lokale Hochdimmgeschwindigkeit",
+ "remote_dimming_up_speed": "Entfernte Hochdimmgeschwindigkeit",
+ "display_activity_timeout": "Display-Timeout",
+ "display_brightness": "Displayhelligkeit",
+ "display_inactive_brightness": "Displayhelligkeit bei Inaktivität",
+ "double_tap_down_level": "Doppeltippen nach unten",
+ "double_tap_up_level": "Doppeltippen nach oben",
+ "exercise_start_time": "Beginn der Übung",
+ "external_sensor_correction": "Externe Sensorkorrektur",
+ "external_temperature_sensor": "Externer Temperatursensor",
+ "fading_time": "Übergangszeit",
+ "fallback_timeout": "Fallback-Timeout",
+ "filter_life_time": "Lebensdauer des Filters",
+ "fixed_load_demand": "Fester Lastbedarf",
+ "frost_protection_temperature": "Frostschutztemperatur",
+ "irrigation_cycles": "Bewässerungszyklen",
+ "irrigation_interval": "Bewässerungsintervall",
+ "irrigation_target": "Bewässerungsziel",
+ "led_color_when_off_name": "Standardfarbe für alle LEDs aus",
+ "led_color_when_on_name": "Standardfarbe für alle LEDs an",
+ "led_intensity_when_off_name": "Standardmäßige Ausschaltintensität aller LEDs",
+ "led_intensity_when_on_name": "Standardmäßige Anschaltintensität aller LEDs",
+ "load_level_indicator_timeout": "Zeitüberschreitung der Ladezustandsanzeige",
+ "load_room_mean": "Laderaummittelwert",
+ "local_temperature_offset": "Lokaler Temperatur-Offset",
+ "max_heat_setpoint_limit": "Max. Heizungssollwertgrenze",
+ "maximum_load_dimming_level": "Maximaler Last-Dimmpegel",
+ "min_heat_setpoint_limit": "Min. Heizungssollwertgrenze",
+ "minimum_load_dimming_level": "Minimaler Last-Dimmpegel",
+ "off_led_intensity": "Aus LED-Helligkeit",
+ "off_transition_time": "Aus-Übergangszeit",
+ "on_led_intensity": "Ein LED-Helligkeit",
+ "on_level": "Einschalthelligkeit",
+ "on_off_transition_time": "Ein/Aus-Übergangszeit",
+ "on_transition_time": "Ein-Übergangszeit",
+ "open_window_detection_guard_period_name": "Schutzdauer bei Fenster-offen-Erkennung",
+ "open_window_detection_threshold": "Schwellenwert für die Fenster-offen-Erkennung",
+ "open_window_event_duration": "Dauer des Fenster-offen-Ereignisses",
+ "portion_weight": "Portionsgewicht",
+ "presence_detection_timeout": "Zeitüberschreitung bei der Anwesenheitserkennung",
+ "presence_sensitivity": "Anwesenheitsempfindlichkeit",
+ "fade_time": "Überblendzeit",
+ "quick_start_time": "Schnelle Startzeit",
+ "ramp_rate_off_to_on_local_name": "Lokale Rampenrate von Aus auf Ein",
+ "ramp_rate_off_to_on_remote_name": "Ferngesteuerte Rampenrate von Aus auf Ein",
+ "ramp_rate_on_to_off_local_name": "Lokale Rampenrate von Ein auf Aus",
+ "ramp_rate_on_to_off_remote_name": "Ferngesteuerte Rampenrate von Ein auf Aus",
+ "regulation_setpoint_offset": "Regelungssollwert-Offset",
+ "regulator_set_point": "Reglersollwert",
+ "serving_to_dispense": "Servieren am Dosierer",
+ "siren_time": "Sirenenzeit",
+ "start_up_color_temperature": "Start-Farbtemperatur",
+ "start_up_current_level": "Einschaltstrompegel",
+ "start_up_default_dimming_level": "Standard-Dimmstufe beim Start",
+ "timer_duration": "Timerdauer",
+ "timer_time_left": "Verbleibende Timerzeit",
+ "transmit_power": "Sendeleistung",
+ "valve_closing_degree": "Ventilschließwinkel",
+ "irrigation_time": "Bewässerungszeit 2",
+ "valve_opening_degree": "Ventilöffnungswinkel",
+ "adaptation_run_command": "Anpassungslaufbefehl",
+ "backlight_mode": "Hintergrundbeleuchtungsmodus",
+ "click_mode": "Klickmodus",
+ "control_type": "Steuerungstyp",
+ "decoupled_mode": "Entkoppelter Modus",
+ "default_siren_level": "Standard-Sirenenlautstärke",
+ "default_siren_tone": "Standard-Sirenenton",
+ "default_strobe": "Standard-Blitzlicht",
+ "default_strobe_level": "Standard Blitzlichtstärke",
+ "detection_distance": "Erkennungsabstand",
+ "detection_sensitivity": "Erkennungsempfindlichkeit",
+ "exercise_day_of_week_name": "Trainingstag der Woche",
+ "external_temperature_sensor_type": "Typ des externen Temperatursensors",
+ "external_trigger_mode": "Externer Triggermodus",
+ "heat_transfer_medium": "Wärmeübertragungsmedium",
+ "heating_emitter_type": "Typ des Heizstrahlers",
+ "heating_fuel": "Brennstoff der Heizung",
+ "non_neutral_output": "Nicht neutraler Ausgang",
+ "irrigation_mode": "Bewässerungsmodus",
+ "keypad_lockout": "Tastatursperre",
+ "dimming_mode": "Dimm-Modus",
+ "led_scaling_mode": "LED-Skalierungsmodus",
+ "local_temperature_source": "Lokale Temperaturquelle",
+ "monitoring_mode": "Überwachungsmodus",
+ "off_led_color": "Aus LED-Farbe",
+ "on_led_color": "Ein LED-Farbe",
+ "operation_mode": "Betriebsart",
+ "output_mode": "Ausgabemodus",
+ "power_on_state": "Einschaltzustand",
+ "regulator_period": "Regulierungszeitraum",
+ "sensor_mode": "Sensormodus",
+ "setpoint_response_time": "Sollwert-Reaktionszeit",
+ "smart_fan_led_display_levels_name": "Smart-Lüfter-LED-Anzeigepegel",
+ "start_up_behavior": "Startverhalten",
+ "switch_mode": "Schaltmodus",
+ "switch_type": "Schaltertyp",
+ "thermostat_application": "Thermostatanwendung",
+ "thermostat_mode": "Thermostatmodus",
+ "valve_orientation": "Ventilausrichtung",
+ "viewing_direction": "Blickrichtung",
+ "weather_delay": "Wetterverzögerung",
+ "curtain_mode": "Vorhangmodus",
+ "ac_frequency": "Wechselstromfrequenz",
+ "adaptation_run_status": "Status des Anpassungslaufs",
+ "in_progress": "In Arbeit",
+ "run_successful": "Erfolgreicher Lauf",
+ "valve_characteristic_lost": "Ventilkennlinie verloren",
+ "analog_input": "Analoger Eingang",
+ "control_status": "Status der Steuerung",
+ "device_run_time": "Gerätelaufzeit",
+ "device_temperature": "Gerätetemperatur",
+ "target_distance": "Zielentfernung",
+ "filter_run_time": "Filterlaufzeit",
+ "formaldehyde_concentration": "Formaldehyd-Konzentration",
+ "hooks_state": "Zustand der Haken",
+ "hvac_action": "HLK-Aktion",
+ "instantaneous_demand": "Sofortiger Bedarf",
+ "internal_temperature": "Interne Temperatur",
+ "irrigation_duration": "Bewässerungsdauer 1",
+ "last_irrigation_duration": "Letzte Bewässerungsdauer",
+ "irrigation_end_time": "Endzeit der Bewässerung",
+ "irrigation_start_time": "Startzeit der Bewässerung",
+ "last_feeding_size": "Letzte Fütterungsgröße",
+ "last_feeding_source": "Letzte Futterquelle",
+ "last_illumination_state": "Letzter Beleuchtungszustand",
+ "last_valve_open_duration": "Letzte Ventilöffnungsdauer",
+ "leaf_wetness": "Blattnässe",
+ "load_estimate": "Lastschätzung",
+ "floor_temperature": "Fußbodentemperatur",
+ "lqi": "LQI",
+ "motion_distance": "Bewegungsdistanz",
+ "motor_stepcount": "Motorschrittzahl",
+ "open_window_detected": "Geöffnetes Fenster erkannt",
+ "overheat_protection": "Überhitzungsschutz",
+ "pi_heating_demand": "Pi-Wärmebedarf",
+ "portions_dispensed_today": "Heute ausgegebene Portionen",
+ "pre_heat_time": "Vorheizzeit",
+ "rssi": "RSSI",
+ "self_test_result": "Selbsttest-Ergebnis",
+ "setpoint_change_source": "Quelle der Sollwertänderung",
+ "smoke_density": "Rauchdichte",
+ "software_error": "Softwarefehler",
+ "good": "Gut",
+ "critical_low_battery": "Kritisch schwache Batterie",
+ "encoder_jammed": "Encoder blockiert",
+ "invalid_clock_information": "Ungültige Uhrzeitinformationen",
+ "invalid_internal_communication": "Ungültige interne Kommunikation",
+ "low_battery": "Niedriger Batteriestand",
+ "motor_error": "Motorfehler",
+ "non_volatile_memory_error": "Fehler im nichtflüchtigen Speicher",
+ "radio_communication_error": "Fehler bei der Funkkommunikation",
+ "side_pcb_sensor_error": "Fehler im seitlichen PCB-Sensor",
+ "top_pcb_sensor_error": "Fehler im oberen PCB-Sensor",
+ "unknown_hw_error": "Unbekannter HW-Fehler",
+ "soil_moisture": "Bodenfeuchtigkeit",
+ "summation_delivered": "Summe verbraucht",
+ "summation_received": "Summe eingespeist",
+ "tier_summation_delivered": "Stufe 6 Summe verbraucht",
+ "timer_state": "Timerstatus",
+ "weight_dispensed_today": "Heute ausgegebenes Gewicht",
+ "window_covering_type": "Art der Fensterabdeckung",
+ "adaptation_run_enabled": "Anpassungslauf aktiviert",
+ "aux_switch_scenes": "Aux-Switch-Szenen",
+ "binding_off_to_on_sync_level_name": "Bindung aus auf Synchronisationsebene",
+ "buzzer_manual_alarm": "Manueller Summeralarm",
+ "buzzer_manual_mute": "Manuelle Stummschaltung des Summers",
+ "detach_relay": "Relais abtrennen",
+ "disable_clear_notifications_double_tap_name": "Konfiguration deaktivieren. 2x tippen, um Benachrichtigungen zu löschen",
+ "disable_led": "LED deaktivieren",
+ "double_tap_down_enabled": "Doppeltippen nach unten aktiviert",
+ "double_tap_up_enabled": "Doppeltippen nach oben aktiviert",
+ "double_up_full_name": "Doppeltipp Voll-Ein",
+ "enable_siren": "Sirene aktivieren",
+ "external_window_sensor": "Externer Fenstersensor",
+ "distance_switch": "Distanzschalter",
+ "firmware_progress_led": "Firmware-Fortschritts-LED",
+ "heartbeat_indicator": "Heartbeat-Anzeige",
+ "heat_available": "Wärme verfügbar",
+ "hooks_locked": "Haken verriegelt",
+ "invert_switch": "Schalter umkehren",
+ "inverted": "Invertiert",
+ "led_indicator": "LED-Anzeige",
+ "linkage_alarm": "Verbindungsalarm",
+ "local_protection": "Lokaler Schutz",
+ "mounting_mode": "Montageart",
+ "only_led_mode": "Nur 1 LED-Modus",
+ "open_window": "Geöffnetes Fenster",
+ "power_outage_memory": "Speicher für Stromausfall",
+ "prioritize_external_temperature_sensor": "Externen Temperatursensor priorisieren",
+ "relay_click_in_on_off_mode_name": "Relais-Klick im Ein-Aus-Modus deaktivieren",
+ "smart_bulb_mode": "Smart-Bulb-Modus",
+ "smart_fan_mode": "Intelligenter Lüftermodus",
+ "led_trigger_indicator": "LED-Auslöseanzeige",
+ "turbo_mode": "Turbo-Modus",
+ "use_internal_window_detection": "Interne Fenstererkennung verwenden",
+ "use_load_balancing": "Lastausgleich verwenden",
+ "valve_detection": "Ventilerkennung",
+ "window_detection": "Fenstererkennung",
+ "invert_window_detection": "Fenstererkennung umkehren",
+ "available_tones": "Verfügbare Töne",
"gps_accuracy": "GPS-Genauigkeit",
- "paused": "Pause",
- "finishes_at": "Endet um",
- "remaining": "Verbleibend",
- "restore": "Wiederherstellen",
"last_reset": "Letzter Reset",
"possible_states": "Mögliche Zustände",
"state_class": "Zustandsklasse",
@@ -2010,7 +2244,7 @@
"apparent_power": "Scheinleistung",
"air_quality_index": "Luftqualitätsindex",
"atmospheric_pressure": "Atmosphärischer Druck",
- "blood_glucose_concentration": "Blutzuckerkonzentration",
+ "blood_glucose_concentration": "Blutzuckerspiegel",
"carbon_dioxide": "Kohlendioxid",
"conductivity": "Leitfähigkeit",
"data_rate": "Datenrate",
@@ -2033,81 +2267,12 @@
"sound_pressure": "Schalldruck",
"speed": "Geschwindigkeit",
"sulphur_dioxide": "Schwefeldioxid",
+ "timestamp": "Zeitstempel",
"vocs": "VOC-Anteil",
"volume_flow_rate": "Volumenstrom",
"stored_volume": "Gespeichertes Volumen",
"weight": "Gewicht",
- "cool": "Kühlen",
- "fan_only": "Nur Lüften",
- "heat_cool": "Heizen/Kühlen",
- "aux_heat": "Zusatzheizung",
- "current_humidity": "Aktuelle Luftfeuchtigkeit",
- "current_temperature": "Current Temperature",
- "fan_mode": "Lüftermodus",
- "diffuse": "Diffus",
- "middle": "Mittig",
- "top": "Oben",
- "current_action": "Aktuelle Aktion",
- "cooling": "Kühlbetrieb",
- "defrosting": "Enteisung",
- "drying": "Entfeuchtung",
- "heating": "Heizbetrieb",
- "preheating": "Vorheizen",
- "max_target_humidity": "Maximaler Sollwert der Luftfeuchtigkeit",
- "max_target_temperature": "Maximale Soll-Temperatur",
- "min_target_humidity": "Minimaler Sollwert der Luftfeuchtigkeit",
- "min_target_temperature": "Minimale Soll-Temperatur",
- "boost": "Boost",
- "comfort": "Komfort",
- "eco": "Eco",
- "sleep": "Schlafen",
- "horizontal_swing_mode": "Horizontale Oszillationsart",
- "swing_mode": "Oszillationsart",
- "both": "Beides",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Obere Soll-Temperatur",
- "lower_target_temperature": "Untere Soll-Temperatur",
- "target_temperature_step": "Soll-Temperatur-Schrittweite",
- "not_charging": "Wird nicht geladen",
- "disconnected": "Getrennt",
- "connected": "Verbunden",
- "hot": "Heiß",
- "no_light": "Kein Licht",
- "light_detected": "Licht erkannt",
- "unlocked": "Aufgeschlossen",
- "not_moving": "Bewegt sich nicht",
- "unplugged": "Ausgesteckt",
- "not_running": "Außer Betrieb",
- "safe": "Sicher",
- "unsafe": "Unsicher",
- "tampering_detected": "Manipulation erkannt",
- "automatic": "Automatisch",
- "box": "Box",
- "above_horizon": "Über dem Horizont",
- "below_horizon": "Unter dem Horizont",
- "buffering": "Puffern",
- "playing": "Wiedergabe",
- "standby": "Standby",
- "app_id": "App-ID",
- "local_accessible_entity_picture": "Lokal zugängliches Entitätsbild",
- "group_members": "Gruppenmitglieder",
- "muted": "Stummgeschaltet",
- "album_artist": "Album Künstler",
- "content_id": "Inhalts-ID",
- "content_type": "Inhaltstyp",
- "channels": "Kanäle",
- "position_updated": "Position aktualisiert",
- "series": "Serie",
- "all": "Alle",
- "one": "Einer",
- "available_sound_modes": "Verfügbare Soundmodi",
- "available_sources": "Verfügbare Quellen",
- "receiver": "Empfänger",
- "speaker": "Lautsprecher",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Verwaltet über UI",
"color_mode": "Color Mode",
"brightness_only": "Nur Helligkeit",
"hs": "HS",
@@ -2123,13 +2288,34 @@
"minimum_color_temperature_kelvin": "Minimale Farbtemperatur (Kelvin)",
"minimum_color_temperature_mireds": "Minimale Farbtemperatur (Mired)",
"available_color_modes": "Verfügbare Farbmodi",
- "available_tones": "Verfügbare Töne",
"docked": "Angedockt",
"mowing": "Mähen",
+ "paused": "Pause",
"returning": "Rückkehr",
+ "max_length": "Maximale Länge",
+ "min_length": "Minimale Länge",
+ "pattern": "Muster",
+ "running_automations": "Laufende Automationen",
+ "max_running_scripts": "Maximal laufende Skripte",
+ "run_mode": "Ausführungsmodus",
+ "parallel": "Parallel",
+ "queued": "In Warteschlange",
+ "single": "Einzeln",
+ "auto_update": "Automatische Aktualisierung",
+ "installed_version": "Installierte Version",
+ "release_summary": "Release-Zusammenfassung",
+ "release_url": "Release-URL",
+ "skipped_version": "Übersprungene Version",
+ "firmware": "Firmware",
"oscillating": "Oszillierend",
"speed_step": "Geschwindigkeitsstufe",
"available_preset_modes": "Verfügbare Voreinstellungen",
+ "minute": "Minute",
+ "second": "Sekunde",
+ "next_event": "Nächstes Ereignis",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Klare Nacht",
"cloudy": "Bewölkt",
"exceptional": "Außergewöhnlich",
@@ -2152,25 +2338,9 @@
"uv_index": "UV-Index",
"wind_bearing": "Windlast",
"wind_gust_speed": "Windböengeschwindigkeit",
- "auto_update": "Automatische Aktualisierung",
- "in_progress": "In Arbeit",
- "installed_version": "Installierte Version",
- "release_summary": "Release-Zusammenfassung",
- "release_url": "Release-URL",
- "skipped_version": "Übersprungene Version",
- "firmware": "Firmware",
- "armed_away": "Aktiviert (Abwesend)",
- "armed_custom_bypass": "Aktiviert (Mit Bypass)",
- "armed_home": "Aktiviert (Zuhause)",
- "armed_night": "Aktiviert (Nacht)",
- "armed_vacation": "Aktiviert (Urlaub)",
- "disarming": "Wird deaktiviert",
- "triggered": "Ausgelöst",
- "changed_by": "Geändert durch",
- "code_for_arming": "Code zum Aktivieren",
- "not_required": "Nicht erforderlich",
- "code_format": "Codeformat",
"identify": "Identifizieren",
+ "cleaning": "Reinigt",
+ "returning_to_dock": "Rückkehr zur Dockingstation",
"recording": "Zeichnet auf",
"streaming": "Überträgt",
"access_token": "Zugriffstoken",
@@ -2179,165 +2349,172 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Modell",
- "end_time": "Endzeitpunkt",
- "start_time": "Startzeitpunkt",
- "next_event": "Nächstes Ereignis",
- "garage": "Garage",
- "event_type": "Ereignistyp",
- "event_types": "Ereignistypen",
- "doorbell": "Türklingel",
- "running_automations": "Laufende Automationen",
- "id": "ID",
- "max_running_automations": "Maximal laufende Automationen",
- "run_mode": "Ausführungsmodus",
- "parallel": "Parallel",
- "queued": "In Warteschlange",
- "single": "Einzeln",
- "cleaning": "Reinigt",
- "returning_to_dock": "Rückkehr zur Dockingstation",
- "listening": "Zuhören",
- "process": "Verarbeiten",
- "responding": "Antworten",
- "max_running_scripts": "Maximal laufende Skripte",
+ "last_scanned_by_device_id_name": "Zuletzt gescannt von Geräte-ID",
+ "tag_id": "Tag-ID",
+ "automatic": "Automatisch",
+ "box": "Box",
"jammed": "Verklemmt",
"locking": "Sperren",
+ "unlocked": "Aufgeschlossen",
"unlocking": "Entsperren",
+ "changed_by": "Geändert durch",
+ "code_format": "Codeformat",
"members": "Mitglieder",
- "known_hosts": "Bekannte Hosts",
- "google_cast_configuration": "Google Cast Konfiguration",
- "confirm_description": "Möchtest du {name} einrichten?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Konto ist bereits konfiguriert",
- "abort_already_in_progress": "Konfigurationsablauf wird bereits ausgeführt",
- "failed_to_connect": "Verbindung fehlgeschlagen",
- "invalid_access_token": "Ungültiges Zugriffstoken",
- "invalid_authentication": "Ungültige Authentifizierung",
- "received_invalid_token_data": "Ungültige Token-Daten empfangen.",
- "abort_oauth_failed": "Fehler beim Abrufen des Zugriffstokens.",
- "timeout_resolving_oauth_token": "Zeitüberschreitung beim Auflösen des OAuth-Tokens.",
- "abort_oauth_unauthorized": "OAuth-Autorisierungsfehler beim Abrufen des Zugriffstokens.",
- "re_authentication_was_successful": "Die erneute Authentifizierung war erfolgreich",
- "unexpected_error": "Unerwarteter Fehler",
- "successfully_authenticated": "Erfolgreich authentifiziert",
- "link_fitbit": "Fitbit verknüpfen",
- "pick_authentication_method": "Authentifizierungsmethode wählen",
- "authentication_expired_for_name": "Authentifizierung für {name} abgelaufen",
+ "listening": "Zuhören",
+ "process": "Verarbeiten",
+ "responding": "Antworten",
+ "id": "ID",
+ "max_running_automations": "Maximal laufende Automationen",
+ "cool": "Kühlen",
+ "fan_only": "Nur Lüften",
+ "heat_cool": "Heizen/Kühlen",
+ "aux_heat": "Zusatzheizung",
+ "current_humidity": "Aktuelle Luftfeuchtigkeit",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Lüftermodus",
+ "diffuse": "Diffus",
+ "middle": "Mittig",
+ "top": "Oben",
+ "current_action": "Aktuelle Aktion",
+ "cooling": "Kühlbetrieb",
+ "defrosting": "Enteisung",
+ "drying": "Entfeuchtung",
+ "heating": "Heizbetrieb",
+ "preheating": "Vorheizen",
+ "max_target_humidity": "Maximaler Sollwert der Luftfeuchtigkeit",
+ "max_target_temperature": "Maximale Soll-Temperatur",
+ "min_target_humidity": "Minimaler Sollwert der Luftfeuchtigkeit",
+ "min_target_temperature": "Minimale Soll-Temperatur",
+ "boost": "Boost",
+ "comfort": "Komfort",
+ "eco": "Eco",
+ "sleep": "Schlafen",
+ "horizontal_swing_mode": "Horizontale Oszillationsart",
+ "swing_mode": "Oszillationsart",
+ "both": "Beides",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Obere Soll-Temperatur",
+ "lower_target_temperature": "Untere Soll-Temperatur",
+ "target_temperature_step": "Soll-Temperatur-Schrittweite",
+ "stopped": "Angehalten",
+ "garage": "Garage",
+ "not_charging": "Wird nicht geladen",
+ "disconnected": "Getrennt",
+ "connected": "Verbunden",
+ "hot": "Heiß",
+ "no_light": "Kein Licht",
+ "light_detected": "Licht erkannt",
+ "not_moving": "Bewegt sich nicht",
+ "unplugged": "Ausgesteckt",
+ "not_running": "Außer Betrieb",
+ "safe": "Sicher",
+ "unsafe": "Unsicher",
+ "tampering_detected": "Manipulation erkannt",
+ "buffering": "Puffern",
+ "playing": "Wiedergabe",
+ "standby": "Standby",
+ "app_id": "App-ID",
+ "local_accessible_entity_picture": "Lokal zugängliches Entitätsbild",
+ "group_members": "Gruppenmitglieder",
+ "muted": "Stummgeschaltet",
+ "album_artist": "Albumkünstler",
+ "content_id": "Inhalts-ID",
+ "content_type": "Inhaltstyp",
+ "channels": "Kanäle",
+ "position_updated": "Position aktualisiert",
+ "series": "Serie",
+ "all": "Alle",
+ "one": "Einer",
+ "available_sound_modes": "Verfügbare Soundmodi",
+ "available_sources": "Verfügbare Quellen",
+ "receiver": "Empfänger",
+ "speaker": "Lautsprecher",
+ "tv": "TV",
+ "end_time": "Enduhrzeit",
+ "start_time": "Startuhrzeit",
+ "event_type": "Ereignistyp",
+ "event_types": "Ereignistypen",
+ "doorbell": "Türklingel",
+ "above_horizon": "Über dem Horizont",
+ "below_horizon": "Unter dem Horizont",
+ "armed_away": "Aktiviert (Abwesend)",
+ "armed_custom_bypass": "Aktiviert (Mit Bypass)",
+ "armed_home": "Aktiviert (Zuhause)",
+ "armed_night": "Aktiviert (Nacht)",
+ "armed_vacation": "Aktiviert (Urlaub)",
+ "disarming": "Wird deaktiviert",
+ "triggered": "Ausgelöst",
+ "code_for_arming": "Code zum Aktivieren",
+ "not_required": "Nicht erforderlich",
+ "finishes_at": "Endet um",
+ "remaining": "Verbleibend",
+ "restore": "Wiederherstellen",
"device_is_already_configured": "Gerät ist bereits konfiguriert",
+ "failed_to_connect": "Verbindung fehlgeschlagen",
"abort_no_devices_found": "Keine Geräte im Netzwerk gefunden",
+ "re_authentication_was_successful": "Die erneute Authentifizierung war erfolgreich",
"re_configuration_was_successful": "Die Neukonfiguration war erfolgreich",
"connection_error_error": "Verbindungsfehler: {error}",
"unable_to_authenticate_error": "Authentifizierung nicht möglich: {error}",
"camera_stream_authentication_failed": "Authentifizierung des Kamera-Streams fehlgeschlagen",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "Kamera-Livebild aktivieren",
- "username": "Benutzername",
+ "username": "Username",
"camera_auth_confirm_description": "Gib die Anmeldedaten für das Kamerakonto des Gerätes ein.",
"set_camera_account_credentials": "Anmeldedaten für das Kamerakonto festlegen",
"authenticate": "Authentifizieren",
+ "authentication_expired_for_name": "Authentifizierung für {name} abgelaufen",
"host": "Host",
"reconfigure_description": "Aktualisiere deine Konfiguration für das Gerät {mac}",
"reconfigure_tplink_entry": "TPLink-Eintrag neu konfigurieren",
"abort_single_instance_allowed": "Bereits konfiguriert. Nur eine einzige Konfiguration möglich.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Möchtest du mit der Einrichtung beginnen?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "component_nodered_config_step_user_title": "Node-RED Begleiter",
+ "abort_api_error": "Fehler bei der Kommunikation mit der SwitchBot-API: {error_detail}",
+ "unsupported_switchbot_type": "Nicht unterstützter Switchbot-Typ.",
+ "unexpected_error": "Unerwarteter Fehler",
+ "authentication_failed_error_detail": "Authentifizierung fehlgeschlagen: {error_detail}",
+ "error_encryption_key_invalid": "Code-ID oder Verschlüsselungscode ist ungültig",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Möchtest du {name} einrichten?",
+ "switchbot_account_recommended": "SwitchBot-Konto (empfohlen)",
+ "enter_encryption_key_manually": "Verschlüsselungscode manuell eingeben",
+ "encryption_key": "Verschlüsselungscode",
+ "key_id": "Code-ID",
+ "password_description": "Passwort zum Schutz des Backups.",
+ "mac_address": "MAC-Adresse",
"service_is_already_configured": "Dienst ist bereits konfiguriert",
- "invalid_ics_file": "Ungültige .ics-Datei",
- "calendar_name": "Kalendername",
- "starting_data": "Anfangsdatenbestand",
+ "abort_already_in_progress": "Konfigurationsablauf wird bereits ausgeführt",
"abort_invalid_host": "Ungültiger Hostname oder IP-Adresse",
"device_not_supported": "Gerät nicht unterstützt",
+ "invalid_authentication": "Ungültige Authentifizierung",
"name_model_at_host": "{name} ({model} unter {host})",
"authenticate_to_the_device": "Authentifiziere dich beim Gerät",
"finish_title": "Wähle einen Namen für das Gerät",
"unlock_the_device": "Entsperren des Geräts",
"yes_do_it": "Ja mach das.",
"unlock_the_device_optional": "Entsperren des Geräts (optional)",
- "connect_to_the_device": "Verbinden mit dem Gerät",
- "abort_missing_credentials": "Für die Integration sind OAuth-Anmeldedaten erforderlich.",
- "timeout_establishing_connection": "Zeitüberschreitung beim Verbindungsaufbau",
- "link_google_account": "Google-Konto verknüpfen",
- "path_is_not_allowed": "Pfad nicht erlaubt",
- "path_is_not_valid": "Pfad ungültig",
- "path_to_file": "Pfad zur Datei",
- "api_key": "API-Code",
- "configure_daikin_ac": "Daikin AC konfigurieren",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Wähle einen Bluetooth-Adapter zum Einrichten aus",
- "arm_away_action": "Aktion „Aktivieren (Abwesend)“",
- "arm_custom_bypass_action": "Aktion „Aktivieren (Mit Bypass)“",
- "arm_home_action": "Aktion „Aktivieren (Zuhause)“",
- "arm_night_action": "Aktion „Aktivieren (Nacht)“",
- "arm_vacation_action": "Aktion „Aktivieren (Urlaub)“",
- "code_arm_required": "Code für Aktivierung erforderlich",
- "disarm_action": "Aktion „Deaktivieren“",
- "trigger_action": "Aktion „Auslösen“",
- "value_template": "Wert-Template",
- "template_alarm_control_panel": "Alarmzentrale-Template",
- "device_class": "Geräteklasse",
- "state_template": "Zustandstemplate",
- "template_binary_sensor": "Binärsensor-Template",
- "actions_on_press": "Aktionen beim Drücken",
- "template_button": "Tasten-Template",
- "verify_ssl_certificate": "SSL-Zertifikat überprüfen",
- "template_image": "Bild-Template",
- "actions_on_set_value": "Aktionen bei eingestelltem Wert",
- "step_value": "Schrittwert",
- "template_number": "Zahlenwert-Template",
- "available_options": "Verfügbare Optionen",
- "actions_on_select": "Aktionen zum Auswählen",
- "template_select": "Auswahl-Template",
- "template_sensor": "Sensor-Template",
- "actions_on_turn_off": "Aktionen beim Ausschalten",
- "actions_on_turn_on": "Aktionen beim Einschalten",
- "template_switch": "Schalter-Template",
- "menu_options_alarm_control_panel": "Template für eine Alarmzentrale erstellen",
- "template_a_binary_sensor": "Template für einen Binärsensor erstellen",
- "template_a_button": "Template für eine Taste erstellen",
- "template_an_image": "Template für ein Bild erstellen",
- "template_a_number": "Template für einen Zahlenwert erstellen",
- "template_a_select": "Template für eine Auswahl erstellen",
- "template_a_sensor": "Template für einen Sensor erstellen",
- "template_a_switch": "Template für einen Schalter erstellen",
- "template_helper": "Template-Helfer erstellen",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "connect_to_the_device": "Mit dem Gerät verbinden",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Konto ist bereits konfiguriert",
+ "invalid_access_token": "Ungültiges Zugriffstoken",
+ "received_invalid_token_data": "Ungültige Token-Daten empfangen.",
+ "abort_oauth_failed": "Fehler beim Abrufen des Zugriffstokens.",
+ "timeout_resolving_oauth_token": "Zeitüberschreitung beim Auflösen des OAuth-Tokens.",
+ "abort_oauth_unauthorized": "OAuth-Autorisierungsfehler beim Abrufen des Zugriffstokens.",
+ "successfully_authenticated": "Erfolgreich authentifiziert",
+ "link_fitbit": "Fitbit verknüpfen",
+ "pick_authentication_method": "Authentifizierungsmethode wählen",
+ "two_factor_code": "Zwei-Faktor-Code",
+ "two_factor_authentication": "Zwei-Faktor-Authentifizierung",
+ "reconfigure_ring_integration": "Ring Integration neu konfigurieren",
+ "sign_in_with_ring_account": "Anmeldung mit Ring-Konto",
+ "abort_alternative_integration": "Das Gerät wird durch eine andere Integration besser unterstützt",
+ "abort_incomplete_config": "In der Konfiguration fehlt eine erforderliche Variable",
+ "manual_description": "URL zu einer XML-Datei mit Gerätebeschreibung",
+ "manual_title": "Manuelle DLNA DMR-Geräteverbindung",
+ "discovered_dlna_dmr_devices": "DLNA DMR-Geräte entdeckt",
+ "broadcast_address": "Broadcast-Adresse",
+ "broadcast_port": "Broadcast-Port",
"abort_addon_info_failed": "Informationen zum Add-on {addon} konnten nicht abgerufen werden.",
"abort_addon_install_failed": "Das Add-on {addon} konnte nicht installiert werden.",
"abort_addon_start_failed": "Das Add-on {addon} konnte nicht gestartet werden.",
@@ -2363,49 +2540,47 @@
"start_add_on": "Add-on starten",
"menu_options_addon": "Verwende das offizielle Add-on {addon}.",
"menu_options_broker": "Gib die MQTT-Broker-Verbindungsdetails manuell ein",
- "bridge_is_already_configured": "Bridge ist bereits konfiguriert",
- "no_deconz_bridges_discovered": "Keine deCONZ-Bridges entdeckt",
- "abort_no_hardware_available": "Keine Funkhardware an deCONZ angeschlossen",
- "abort_updated_instance": "deCONZ-Instanz mit neuer Host-Adresse aktualisiert",
- "error_linking_not_possible": "Es konnte keine Verbindung mit dem Gateway hergestellt werden",
- "error_no_key": "Es konnte kein API-Code abgerufen werden",
- "link_with_deconz": "Mit deCONZ verbinden",
- "select_discovered_deconz_gateway": "Wähle das erkannte deCONZ-Gateway aus",
- "component_nodered_config_step_user_title": "Node-RED Begleiter",
- "pin_code": "PIN-Code",
- "discovered_android_tv": "Android TV entdeckt",
- "abort_mdns_missing_mac": "Fehlende MAC-Adresse in MDNS-Eigenschaften.",
- "abort_mqtt_missing_api": "Fehlender API-Port in den MQTT-Eigenschaften.",
- "abort_mqtt_missing_ip": "Fehlende IP-Adresse in den MQTT-Eigenschaften.",
- "abort_mqtt_missing_mac": "Fehlende MAC-Adresse in den MQTT-Eigenschaften.",
- "missing_mqtt_payload": "Fehlende MQTT-Payload.",
- "action_received": "Aktion empfangen",
- "discovered_esphome_node": "ESPHome-Knoten entdeckt",
- "encryption_key": "Verschlüsselungscode",
- "no_port_for_endpoint": "Kein Port für Endpunkt",
- "abort_no_services": "Keine Dienste am Endpunkt gefunden",
- "discovered_wyoming_service": "Entdeckter Wyoming-Dienst",
- "abort_alternative_integration": "Das Gerät wird durch eine andere Integration besser unterstützt",
- "abort_incomplete_config": "In der Konfiguration fehlt eine erforderliche Variable",
- "manual_description": "URL zu einer XML-Datei mit Gerätebeschreibung",
- "manual_title": "Manuelle DLNA DMR-Geräteverbindung",
- "discovered_dlna_dmr_devices": "Erkannte DLNA DMR-Geräte",
+ "api_key": "API-Code",
+ "configure_daikin_ac": "Daikin AC konfigurieren",
+ "cannot_connect_details_error_detail": "Kann nicht verbinden. Details: {error_detail}",
+ "unknown_details_error_detail": "Unbekannt. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Verwendet ein SSL-Zertifikat",
+ "verify_ssl_certificate": "SSL-Zertifikat überprüfen",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Wähle einen Bluetooth-Adapter zum Einrichten aus",
"api_error_occurred": "API-Fehler aufgetreten",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "HTTPS aktivieren",
- "broadcast_address": "Broadcast-Adresse",
- "broadcast_port": "Broadcast-Port",
- "mac_address": "MAC-Adresse",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisches Institut",
- "ipv_is_not_supported": "IPv6 wird nicht unterstützt.",
- "error_custom_port_not_supported": "Das Gen1-Gerät unterstützt keinen benutzerdefinierten Port.",
- "two_factor_code": "Zwei-Faktor-Code",
- "two_factor_authentication": "Zwei-Faktor-Authentifizierung",
- "reconfigure_ring_integration": "Ring Integration neu konfigurieren",
- "sign_in_with_ring_account": "Anmeldung mit Ring-Konto",
+ "timeout_establishing_connection": "Zeitüberschreitung beim Verbindungsaufbau",
+ "link_google_account": "Google-Konto verknüpfen",
+ "path_is_not_allowed": "Pfad nicht erlaubt",
+ "path_is_not_valid": "Pfad ungültig",
+ "path_to_file": "Pfad zur Datei",
+ "pin_code": "PIN-Code",
+ "discovered_android_tv": "Android TV entdeckt",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "Alle Entitäten",
"hide_members": "Mitglieder verstecken",
"create_group": "Gruppe erstellen",
+ "device_class": "Device Class",
"ignore_non_numeric": "Nicht-numerisch ignorieren",
"data_round_digits": "Wert auf die Anzahl der Dezimalstellen runden",
"type": "Typ",
@@ -2413,29 +2588,205 @@
"button_group": "Tasten-Gruppe",
"cover_group": "Abdeckungen-Gruppe",
"event_group": "Ereignis-Gruppe",
- "fan_group": "Ventilatoren-Gruppe",
- "light_group": "Leuchten-Gruppe",
"lock_group": "Schlösser-Gruppe",
"media_player_group": "Mediaplayer-Gruppe",
"notify_group": "Benachrichtigungen-Gruppe",
"sensor_group": "Sensor-Gruppe",
"switch_group": "Schalter-Gruppe",
- "abort_api_error": "Fehler bei der Kommunikation mit der SwitchBot-API: {error_detail}",
- "unsupported_switchbot_type": "Nicht unterstützter Switchbot-Typ.",
- "authentication_failed_error_detail": "Authentifizierung fehlgeschlagen: {error_detail}",
- "error_encryption_key_invalid": "Code-ID oder Verschlüsselungscode ist ungültig",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot-Konto (empfohlen)",
- "enter_encryption_key_manually": "Verschlüsselungscode manuell eingeben",
- "key_id": "Code-ID",
- "password_description": "Passwort zum Schutz des Backups.",
- "device_address": "Geräteadresse",
- "cannot_connect_details_error_detail": "Kann nicht verbinden. Details: {error_detail}",
- "unknown_details_error_detail": "Unbekannt. Details: {error_detail}",
- "uses_an_ssl_certificate": "Verwendet ein SSL-Zertifikat",
+ "known_hosts": "Bekannte Hosts",
+ "google_cast_configuration": "Google Cast Konfiguration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Fehlende MAC-Adresse in MDNS-Eigenschaften.",
+ "abort_mqtt_missing_api": "Fehlender API-Port in den MQTT-Eigenschaften.",
+ "abort_mqtt_missing_ip": "Fehlende IP-Adresse in den MQTT-Eigenschaften.",
+ "abort_mqtt_missing_mac": "Fehlende MAC-Adresse in den MQTT-Eigenschaften.",
+ "missing_mqtt_payload": "Fehlende MQTT-Payload.",
+ "action_received": "Aktion empfangen",
+ "discovered_esphome_node": "ESPHome-Knoten entdeckt",
+ "bridge_is_already_configured": "Bridge ist bereits konfiguriert",
+ "no_deconz_bridges_discovered": "Keine deCONZ-Bridges entdeckt",
+ "abort_no_hardware_available": "Keine Funkhardware an deCONZ angeschlossen",
+ "abort_updated_instance": "deCONZ-Instanz mit neuer Host-Adresse aktualisiert",
+ "error_linking_not_possible": "Es konnte keine Verbindung mit dem Gateway hergestellt werden",
+ "error_no_key": "Es konnte kein API-Code abgerufen werden",
+ "link_with_deconz": "Mit deCONZ verbinden",
+ "select_discovered_deconz_gateway": "Wähle das entdeckte deCONZ-Gateway aus",
+ "abort_missing_credentials": "Für die Integration sind OAuth-Anmeldedaten erforderlich.",
+ "no_port_for_endpoint": "Kein Port für Endpunkt",
+ "abort_no_services": "Keine Dienste am Endpunkt gefunden",
+ "discovered_wyoming_service": "Wyoming-Dienst entdeckt",
+ "ipv_is_not_supported": "IPv6 wird nicht unterstützt.",
+ "error_custom_port_not_supported": "Das Gen1-Gerät unterstützt keinen benutzerdefinierten Port.",
+ "arm_away_action": "Aktion „Aktivieren (Abwesend)“",
+ "arm_custom_bypass_action": "Aktion „Aktivieren (Mit Bypass)“",
+ "arm_home_action": "Aktion „Aktivieren (Zuhause)“",
+ "arm_night_action": "Aktion „Aktivieren (Nacht)“",
+ "arm_vacation_action": "Aktion „Aktivieren (Urlaub)“",
+ "code_arm_required": "Code für Aktivierung erforderlich",
+ "disarm_action": "Aktion „Deaktivieren“",
+ "trigger_action": "Aktion „Auslösen“",
+ "value_template": "Wert-Template",
+ "template_alarm_control_panel": "Alarmzentrale-Template",
+ "state_template": "Zustandstemplate",
+ "template_binary_sensor": "Binärsensor-Template",
+ "actions_on_press": "Aktionen beim Drücken",
+ "template_button": "Tasten-Template",
+ "template_image": "Bild-Template",
+ "actions_on_set_value": "Aktionen bei eingestelltem Wert",
+ "step_value": "Schrittwert",
+ "template_number": "Zahlenwert-Template",
+ "available_options": "Verfügbare Optionen",
+ "actions_on_select": "Aktionen zum Auswählen",
+ "template_select": "Auswahl-Template",
+ "template_sensor": "Sensor-Template",
+ "actions_on_turn_off": "Aktionen beim Ausschalten",
+ "actions_on_turn_on": "Aktionen beim Einschalten",
+ "template_switch": "Schalter-Template",
+ "menu_options_alarm_control_panel": "Template für eine Alarmzentrale erstellen",
+ "template_a_binary_sensor": "Template für einen Binärsensor erstellen",
+ "template_a_button": "Template für eine Taste erstellen",
+ "template_an_image": "Template für ein Bild erstellen",
+ "template_a_number": "Template für einen Zahlenwert erstellen",
+ "template_a_select": "Template für eine Auswahl erstellen",
+ "template_a_sensor": "Template für einen Sensor erstellen",
+ "template_a_switch": "Template für einen Schalter erstellen",
+ "template_helper": "Template-Helfer erstellen",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "Dieses Gerät ist kein ZHA-Gerät",
+ "abort_usb_probe_failed": "Fehler beim Testen des USB-Geräts",
+ "invalid_backup_json": "Ungültige Backup-JSON",
+ "choose_an_automatic_backup": "Wähle ein automatisches Backup",
+ "restore_automatic_backup": "Automatisches Backup wiederherstellen",
+ "choose_formation_strategy_description": "Wähle die Netzwerkeinstellungen für dein Funkmodul.",
+ "restore_an_automatic_backup": "Wiederherstellung eines automatischen Backups",
+ "create_a_network": "Ein Netzwerk erstellen",
+ "keep_radio_network_settings": "Funknetzeinstellungen beibehalten",
+ "upload_a_manual_backup": "Manuelles Backup hochladen",
+ "network_formation": "Netzwerkbildung",
+ "serial_device_path": "Serieller Gerätepfad",
+ "select_a_serial_port": "Wähle einen seriellen Port",
+ "radio_type": "Typ des Funkmoduls",
+ "manual_pick_radio_type_description": "Wähle dein Zigbee-Funkmodul aus",
+ "port_speed": "Port-Geschwindigkeit",
+ "data_flow_control": "Datenfluss-Steuerung",
+ "manual_port_config_description": "Gib die Einstellungen der seriellen Schnittstelle ein",
+ "serial_port_settings": "Einstellungen der seriellen Schnittstelle",
+ "data_overwrite_coordinator_ieee": "Die IEEE-Adresse des Funkmoduls dauerhaft ersetzen",
+ "overwrite_radio_ieee_address": "IEEE-Adresse des Funkmoduls überschreiben",
+ "upload_a_file": "Datei hochladen",
+ "radio_is_not_recommended": "Funkmodul wird nicht empfohlen",
+ "invalid_ics_file": "Ungültige .ics-Datei",
+ "calendar_name": "Kalendername",
+ "starting_data": "Anfangsdatenbestand",
+ "zha_alarm_options_alarm_arm_requires_code": "Code für Scharfschaltaktionen erforderlich",
+ "zha_alarm_options_alarm_master_code": "Mastercode für die Alarmzentrale(n)",
+ "alarm_control_panel_options": "Optionen für die Alarmzentrale",
+ "zha_options_consider_unavailable_battery": "Batteriebetriebene Geräte als nicht verfügbar betrachten nach (Sekunden)",
+ "zha_options_consider_unavailable_mains": "Netzbetriebene Geräte als nicht verfügbar betrachten nach (Sekunden)",
+ "zha_options_default_light_transition": "Standardzeit für Lichtübergang (Sekunden)",
+ "zha_options_group_members_assume_state": "Gruppenmitglieder nehmen den Status der Gruppe optimistisch an",
+ "zha_options_light_transitioning_flag": "Verbesserten Helligkeitsregler während eines Lichtübergangs aktivieren",
+ "global_options": "Globale Optionen",
+ "force_nightlatch_operation_mode": "Nachtverriegelungs-Betriebsmodus erzwingen",
+ "retry_count": "Anzahl der Wiederholungen",
+ "data_process": "Prozesse zum Hinzufügen als Sensor(en)",
+ "invalid_url": "Ungültige URL",
+ "data_browse_unfiltered": "Inkompatible Medien beim Durchsuchen einblenden",
+ "event_listener_callback_url": "Rückruf-URL des Ereignis-Listeners",
+ "data_listen_port": "Port des Ereignis-Listeners (zufällig, wenn nicht festgelegt)",
+ "poll_for_device_availability": "Abfrage der Geräteverfügbarkeit",
+ "init_title": "DLNA Digital Media Renderer Konfiguration",
+ "broker_options": "Broker-Optionen",
+ "enable_birth_message": "Birth-Nachricht aktivieren",
+ "birth_message_payload": "Payload der Birth-Nachricht",
+ "birth_message_qos": "Birth-Nachricht QoS",
+ "birth_message_retain": "Birth-Nachricht beibehalten",
+ "birth_message_topic": "Topic der Birth-Nachricht",
+ "enable_discovery": "Suche aktivieren",
+ "discovery_prefix": "Discovery-Präfix",
+ "enable_will_message": "Last-Will aktivieren",
+ "will_message_payload": "Payload der Will-Nachricht",
+ "will_message_qos": "Will-Nachricht QoS",
+ "will_message_retain": "Last-Will-Nachricht beibehalten",
+ "will_message_topic": "Topic der Last-Will-Nachricht",
+ "data_description_discovery": "Option zum Aktivieren der automatischen MQTT-Erkennung.",
+ "mqtt_options": "MQTT-Optionen",
+ "passive_scanning": "Passives Scannen",
+ "protocol": "Protokoll",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Sprachcode",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "data_app_delete": "Aktiviere diese Option, um diese App zu löschen",
+ "application_icon": "App-Symbol",
+ "application_name": "App-Name",
+ "configure_application_id_app_id": "App-ID {app_id} konfigurieren",
+ "configure_android_apps": "Android-Apps konfigurieren",
+ "configure_applications_list": "App-Liste konfigurieren",
"ignore_cec": "CEC ignorieren",
"allowed_uuids": "Zulässige UUIDs",
"advanced_google_cast_configuration": "Erweiterte Google Cast-Konfiguration",
+ "allow_deconz_clip_sensors": "deCONZ CLIP-Sensoren zulassen",
+ "allow_deconz_light_groups": "deCONZ-Leuchtengruppen zulassen",
+ "data_allow_new_devices": "Automatisches Hinzufügen von neuen Geräten zulassen",
+ "deconz_devices_description": "Sichtbarkeit der deCONZ-Gerätetypen konfigurieren",
+ "deconz_options": "deCONZ-Optionen",
+ "select_test_server": "Testserver auswählen",
+ "data_calendar_access": "Home Assistant-Zugriff auf Google Kalender",
+ "bluetooth_scanner_mode": "Bluetooth-Scannermodus",
"device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
"not_supported": "Not Supported",
"localtuya_configuration": "LocalTuya Configuration",
@@ -2452,10 +2803,9 @@
"data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
"data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
"data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
"configure_tuya_device": "Configure Tuya device",
"configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Geräte-ID",
+ "device_id": "Device ID",
"local_key": "Local key",
"protocol_version": "Protocol Version",
"data_entities": "Entities (uncheck an entity to remove it)",
@@ -2524,102 +2874,23 @@
"enable_heuristic_action_optional": "Enable heuristic action (optional)",
"data_dps_default_value": "Default value when un-initialised (optional)",
"minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant-Zugriff auf Google Kalender",
- "data_process": "Prozesse zum Hinzufügen als Sensor(en)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passives Scannen",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker-Optionen",
- "enable_birth_message": "Birth-Nachricht aktivieren",
- "birth_message_payload": "Payload der Birth-Nachricht",
- "birth_message_qos": "Birth-Nachricht QoS",
- "birth_message_retain": "Birth-Nachricht beibehalten",
- "birth_message_topic": "Topic der Birth-Nachricht",
- "enable_discovery": "Suche aktivieren",
- "discovery_prefix": "Discovery-Präfix",
- "enable_will_message": "Last-Will aktivieren",
- "will_message_payload": "Payload der Will-Nachricht",
- "will_message_qos": "Will-Nachricht QoS",
- "will_message_retain": "Last-Will-Nachricht beibehalten",
- "will_message_topic": "Topic der Last-Will-Nachricht",
- "data_description_discovery": "Option zum Aktivieren der automatischen MQTT-Erkennung.",
- "mqtt_options": "MQTT-Optionen",
"data_allow_nameless_uuids": "Derzeit zulässige UUIDs. Zum Entfernen deaktivieren",
"data_new_uuid": "Gib eine neue zulässige UUID ein",
- "allow_deconz_clip_sensors": "deCONZ CLIP-Sensoren zulassen",
- "allow_deconz_light_groups": "deCONZ-Leuchtengruppen zulassen",
- "data_allow_new_devices": "Automatisches Hinzufügen von neuen Geräten zulassen",
- "deconz_devices_description": "Sichtbarkeit der deCONZ-Gerätetypen konfigurieren",
- "deconz_options": "deCONZ-Optionen",
- "data_app_delete": "Aktiviere diese Option, um diese App zu löschen",
- "application_icon": "App-Symbol",
- "application_name": "App-Name",
- "configure_application_id_app_id": "App-ID {app_id} konfigurieren",
- "configure_android_apps": "Android-Apps konfigurieren",
- "configure_applications_list": "App-Liste konfigurieren",
- "invalid_url": "Ungültige URL",
- "data_browse_unfiltered": "Inkompatible Medien beim Durchsuchen einblenden",
- "event_listener_callback_url": "Rückruf-URL des Ereignis-Listeners",
- "data_listen_port": "Port des Ereignis-Listeners (zufällig, wenn nicht festgelegt)",
- "poll_for_device_availability": "Abfrage der Geräteverfügbarkeit",
- "init_title": "DLNA Digital Media Renderer Konfiguration",
- "protocol": "Protokoll",
- "language_code": "Sprachcode",
- "bluetooth_scanner_mode": "Bluetooth-Scannermodus",
- "force_nightlatch_operation_mode": "Nachtverriegelungs-Betriebsmodus erzwingen",
- "retry_count": "Anzahl der Wiederholungen",
- "select_test_server": "Testserver auswählen",
- "toggle_entity_name": "Schalte {entity_name} um",
- "turn_off_entity_name": "Schalte {entity_name} aus",
- "turn_on_entity_name": "Schalte {entity_name} ein",
- "entity_name_is_off": "Wenn {entity_name} ausgeschaltet ist",
- "entity_name_is_on": "Wenn {entity_name} eingeschaltet ist",
- "trigger_type_changed_states": "Sobald {entity_name} ein- oder ausgeschaltet wird",
- "entity_name_turned_off": "Sobald {entity_name} ausgeschaltet ist",
- "entity_name_turned_on": "Sobald {entity_name} eingeschaltet ist",
+ "reconfigure_zha": "ZHA rekonfigurieren",
+ "unplug_your_old_radio": "Stecke dein altes Funkmodul aus",
+ "intent_migrate_title": "Umstellung auf ein neues Funkmodul",
+ "re_configure_the_current_radio": "Das aktuelle Funkmodul neu konfigurieren",
+ "migrate_or_re_configure": "Migrieren oder neu konfigurieren",
"current_entity_name_apparent_power": "Aktuelle Scheinleistung von {entity_name}",
"condition_type_is_aqi": "Aktueller Luftqualitätsindex von {entity_name}",
"current_entity_name_area": "Aktuelle Fläche von {entity_name}",
"current_entity_name_atmospheric_pressure": "Aktueller atmosphärischer Druck von {entity_name}",
"current_entity_name_battery_level": "Aktueller Batteriestand von {entity_name}",
- "condition_type_is_blood_glucose_concentration": "Aktuelle Blutzuckerkonzentration von {entity_name}",
+ "condition_type_is_blood_glucose_concentration": "Aktueller Blutzuckerspiegel von {entity_name}",
"condition_type_is_carbon_dioxide": "Aktuelle Kohlendioxid-Konzentration von {entity_name}",
"condition_type_is_carbon_monoxide": "Aktuelle Kohlenmonoxid-Konzentration von {entity_name}",
"current_entity_name_conductivity": "Aktuelle Leitfähigkeit von {entity_name}",
- "current_entity_name_current": "Aktueller Strom von {entity_name}",
+ "current_entity_name_current": "Aktuelle Stromstärke von {entity_name}",
"current_entity_name_data_rate": "Aktuelle Datenrate von {entity_name}",
"current_entity_name_data_size": "Aktuelle Datenmenge von {entity_name}",
"current_entity_name_distance": "Aktuelle Strecke von {entity_name}",
@@ -2662,11 +2933,11 @@
"entity_name_area_changes": "Sobald sich die Fläche von {entity_name} ändert",
"entity_name_atmospheric_pressure_changes": "Sobald sich der atmosphärische Druck von {entity_name} ändert",
"entity_name_battery_level_changes": "Sobald sich der Batteriestand von {entity_name} ändert",
- "trigger_type_blood_glucose_concentration": "Sobald sich die Blutzuckerkonzentration von {entity_name} ändert",
+ "trigger_type_blood_glucose_concentration": "Sobald sich der Blutzuckerspiegel von {entity_name} ändert",
"trigger_type_carbon_dioxide": "Sobald sich die Kohlendioxid-Konzentration von {entity_name} ändert",
"trigger_type_carbon_monoxide": "Sobald sich die Kohlenmonoxid-Konzentration von {entity_name} ändert",
"entity_name_conductivity_changes": "Sobald sich die Leitfähigkeit von {entity_name} ändert",
- "entity_name_current_changes": "Sobald sich der Strom von {entity_name} ändert",
+ "entity_name_current_changes": "Sobald sich die Stromstärke von {entity_name} ändert",
"entity_name_data_rate_changes": "Sobald sich die Datenrate von {entity_name} ändert",
"entity_name_data_size_changes": "Sobald sich die Datenmenge von {entity_name} ändert",
"entity_name_distance_changes": "Sobald sich die Strecke von {entity_name} ändert",
@@ -2704,6 +2975,59 @@
"entity_name_water_changes": "Sobald sich die Wassermenge von {entity_name} ändert",
"entity_name_weight_changes": "Sobald sich das Gewicht von {entity_name} ändert",
"entity_name_wind_speed_changes": "Sobald sich die Windgeschwindigkeit von {entity_name} ändert",
+ "decrease_entity_name_brightness": "Verringere die Helligkeit von {entity_name}",
+ "increase_entity_name_brightness": "Erhöhe die Helligkeit von {entity_name}",
+ "flash_entity_name": "Lass {entity_name} blinken",
+ "toggle_entity_name": "Schalte {entity_name} um",
+ "turn_off_entity_name": "Schalte {entity_name} aus",
+ "turn_on_entity_name": "Schalte {entity_name} ein",
+ "entity_name_is_off": "Wenn {entity_name} ausgeschaltet ist",
+ "entity_name_is_on": "Wenn {entity_name} eingeschaltet ist",
+ "flash": "Blinken",
+ "trigger_type_changed_states": "Sobald {entity_name} ein- oder ausgeschaltet wird",
+ "entity_name_turned_off": "Sobald {entity_name} ausgeschaltet wird",
+ "entity_name_turned_on": "Sobald {entity_name} eingeschaltet wird",
+ "set_value_for_entity_name": "Stelle den Wert für {entity_name} ein",
+ "value": "Value",
+ "entity_name_update_availability_changed": "Sobald sich die Updateverfügbarkeit für {entity_name} ändert",
+ "entity_name_became_up_to_date": "Sobald {entity_name} auf dem neuesten Stand ist",
+ "trigger_type_update": "Sobald {entity_name} ein Update verfügbar hat",
+ "first_button": "Erste Taste",
+ "second_button": "Zweite Taste",
+ "third_button": "Dritte Taste",
+ "fourth_button": "Vierte Taste",
+ "fifth_button": "Fünfte Taste",
+ "sixth_button": "Sechste Taste",
+ "subtype_double_clicked": "Sobald „{subtype}“ doppelt gedrückt wird",
+ "subtype_continuously_pressed": "Sobald „{subtype}“ kontinuierlich gedrückt wird",
+ "trigger_type_button_long_release": "Sobald „{subtype}“ nach langem Drücken losgelassen wird",
+ "subtype_quadruple_clicked": "Sobald „{subtype}“ vierfach gedrückt wird",
+ "subtype_quintuple_clicked": "Sobald „{subtype}“ fünffach gedrückt wird",
+ "subtype_pressed": "Sobald „{subtype}“ gedrückt wird",
+ "subtype_released": "Sobald „{subtype}“ losgelassen wird",
+ "subtype_triple_clicked": "Sobald „{subtype}“ dreifach gedrückt wird",
+ "entity_name_is_home": "Wenn {entity_name} zuhause ist",
+ "entity_name_is_not_home": "Wenn {entity_name} nicht zuhause ist",
+ "entity_name_enters_a_zone": "Sobald {entity_name} einen Bereich betritt",
+ "entity_name_leaves_a_zone": "Sobald {entity_name} einen Bereich verlässt",
+ "press_entity_name_button": "Drücke die Taste {entity_name}",
+ "entity_name_has_been_pressed": "Sobald {entity_name} gedrückt wird",
+ "let_entity_name_clean": "Lass {entity_name} reinigen",
+ "action_type_dock": "Lass {entity_name} zum Dock zurückkehren",
+ "entity_name_is_cleaning": "Wenn {entity_name} reinigt",
+ "entity_name_is_docked": "Wenn {entity_name} angedockt ist",
+ "entity_name_started_cleaning": "Sobald {entity_name} mit der Reinigung begonnen hat",
+ "entity_name_docked": "Sobald {entity_name} angedockt hat",
+ "send_a_notification": "Benachrichtigung senden",
+ "lock_entity_name": "Schließe {entity_name} ab",
+ "open_entity_name": "Öffne {entity_name}",
+ "unlock_entity_name": "Schließe {entity_name} auf",
+ "entity_name_is_locked": "Wenn {entity_name} gesperrt ist",
+ "entity_name_is_open": "Wenn {entity_name} geöffnet ist",
+ "entity_name_is_unlocked": "Wenn {entity_name} entsperrt ist",
+ "entity_name_locked": "Sobald {entity_name} gesperrt wird",
+ "entity_name_opened": "Sobald {entity_name} geöffnet ist",
+ "entity_name_unlocked": "Sobald {entity_name} entsperrt wird",
"action_type_set_hvac_mode": "Ändere die HLK-Betriebsart von {entity_name}",
"change_preset_on_entity_name": "Ändere die Voreinstellung von {entity_name}",
"hvac_mode": "HLK-Betriebsart",
@@ -2711,8 +3035,22 @@
"entity_name_measured_humidity_changed": "Sobald sich der Ist-Wert der Luftfeuchtigkeit von {entity_name} ändert",
"entity_name_measured_temperature_changed": "Sobald sich der Ist-Wert der Temperatur von {entity_name} ändert",
"entity_name_hvac_mode_changed": "Sobald die HLK-Betriebsart von {entity_name} geändert wird",
- "set_value_for_entity_name": "Setze den Wert für {entity_name}",
- "value": "Wert",
+ "close_entity_name": "Schließe {entity_name}",
+ "close_entity_name_tilt": "Schließe Kippstellung von {entity_name}",
+ "open_entity_name_tilt": "Öffne Kippstellung von {entity_name}",
+ "set_entity_name_position": "Stelle Position von {entity_name} ein",
+ "set_entity_name_tilt_position": "Stelle Kippstellung von {entity_name} ein",
+ "stop_entity_name": "Stoppe {entity_name}",
+ "entity_name_is_closed": "Wenn {entity_name} geschlossen ist",
+ "entity_name_is_closing": "Wenn {entity_name} geschlossen wird",
+ "entity_name_is_opening": "Wenn {entity_name} geöffnet wird",
+ "current_entity_name_position_is": "Aktuelle Position von {entity_name}",
+ "condition_type_is_tilt_position": "Aktuelle Kippstellung von {entity_name}",
+ "entity_name_closed": "Sobald {entity_name} geschlossen ist",
+ "entity_name_closing": "Sobald {entity_name} geschlossen wird",
+ "entity_name_opening": "Sobald {entity_name} geöffnet wird",
+ "entity_name_position_changes": "Sobald sich die Position von {entity_name} ändert",
+ "entity_name_tilt_position_changes": "Sobald sich die Kippstellung von {entity_name} ändert",
"entity_name_battery_is_low": "Wenn {entity_name} Batteriestand niedrig ist",
"entity_name_is_charging": "Wenn {entity_name} aufgeladen wird",
"condition_type_is_co": "Wenn {entity_name} Kohlenmonoxid meldet",
@@ -2721,7 +3059,6 @@
"entity_name_is_detecting_gas": "Wenn {entity_name} Gas meldet",
"entity_name_is_hot": "Wenn {entity_name} heiß ist",
"entity_name_is_detecting_light": "Wenn {entity_name} Licht meldet",
- "entity_name_is_locked": "Wenn {entity_name} abgeschlossen ist",
"entity_name_is_moist": "Wenn {entity_name} nass ist",
"entity_name_is_detecting_motion": "Wenn {entity_name} Bewegung meldet",
"entity_name_is_moving": "Wenn {entity_name} sich bewegt",
@@ -2739,11 +3076,9 @@
"entity_name_is_not_cold": "Wenn {entity_name} nicht kalt ist",
"entity_name_is_disconnected": "Wenn {entity_name} nicht verbunden ist",
"entity_name_is_not_hot": "Wenn {entity_name} nicht heiß ist",
- "entity_name_is_unlocked": "Wenn {entity_name} aufgeschlossen ist",
"entity_name_is_dry": "Wenn {entity_name} trocken ist",
"entity_name_is_not_moving": "Wenn {entity_name} sich nicht bewegt",
"entity_name_is_not_occupied": "Wenn {entity_name} frei ist",
- "entity_name_is_closed": "Wenn {entity_name} geschlossen ist",
"entity_name_is_unplugged": "Wenn {entity_name} nicht angeschlossen ist",
"entity_name_is_not_powered": "Wenn {entity_name} nicht mit Strom versorgt wird",
"entity_name_is_not_present": "Wenn {entity_name} nicht anwesend ist",
@@ -2751,7 +3086,6 @@
"condition_type_is_not_tampered": "Wenn {entity_name} keine Manipulation meldet",
"entity_name_is_safe": "Wenn {entity_name} sicher ist",
"entity_name_is_occupied": "Wenn {entity_name} belegt ist",
- "entity_name_is_open": "Wenn {entity_name} geöffnet ist",
"entity_name_is_plugged_in": "Wenn {entity_name} eingesteckt ist",
"entity_name_is_powered": "Wenn {entity_name} mit Strom versorgt wird",
"entity_name_is_present": "Wenn {entity_name} anwesend ist",
@@ -2771,7 +3105,6 @@
"entity_name_started_detecting_gas": "Sobald {entity_name} Gas meldet",
"entity_name_became_hot": "Sobald {entity_name} heiß wird",
"entity_name_started_detecting_light": "Sobald {entity_name} Licht meldet",
- "entity_name_locked": "Sobald {entity_name} abgeschlossen ist",
"entity_name_became_moist": "Sobald {entity_name} nass wird",
"entity_name_started_detecting_motion": "Sobald {entity_name} Bewegung meldet",
"entity_name_started_moving": "Sobald {entity_name} sich bewegt",
@@ -2782,18 +3115,15 @@
"entity_name_stopped_detecting_problem": "Sobald {entity_name} kein Problem mehr meldet",
"entity_name_stopped_detecting_smoke": "Sobald {entity_name} keinen Rauch mehr meldet",
"entity_name_stopped_detecting_sound": "Sobald {entity_name} keine Geräusche mehr meldet",
- "entity_name_became_up_to_date": "Sobald {entity_name} auf dem neuesten Stand ist",
"entity_name_stopped_detecting_vibration": "Sobald {entity_name} keine Erschütterungen mehr meldet",
"entity_name_battery_normal": "Sobald der Batteriestand von {entity_name} normal ist",
"entity_name_not_charging": "Sobald {entity_name} nicht geladen wird",
"entity_name_became_not_cold": "Sobald {entity_name} nicht mehr kalt ist",
"entity_name_disconnected": "Sobald {entity_name} getrennt wird",
"entity_name_became_not_hot": "Sobald {entity_name} nicht mehr heiß ist",
- "entity_name_unlocked": "Sobald {entity_name} aufgeschlossen ist",
"entity_name_became_dry": "Sobald {entity_name} trocken wird",
"entity_name_stopped_moving": "Sobald {entity_name} aufhört, sich zu bewegen",
"entity_name_became_not_occupied": "Sobald {entity_name} frei wird",
- "entity_name_closed": "Sobald {entity_name} geschlossen ist",
"entity_name_unplugged": "Sobald {entity_name} ausgesteckt wird",
"entity_name_not_powered": "Sobald {entity_name} nicht mit Strom versorgt wird",
"entity_name_not_present": "Sobald {entity_name} nicht anwesend ist",
@@ -2801,7 +3131,6 @@
"entity_name_stopped_detecting_tampering": "Sobald {entity_name} keine Manipulation mehr meldet",
"entity_name_became_safe": "Sobald {entity_name} sicher wird",
"entity_name_became_occupied": "Sobald {entity_name} belegt wird",
- "entity_name_opened": "Sobald {entity_name} geöffnet ist",
"entity_name_plugged_in": "Sobald {entity_name} eingesteckt wird",
"entity_name_powered": "Sobald {entity_name} mit Strom versorgt wird",
"entity_name_present": "Sobald {entity_name} anwesend ist",
@@ -2811,7 +3140,6 @@
"entity_name_started_detecting_sound": "Sobald {entity_name} Geräusche meldet",
"entity_name_started_detecting_tampering": "Sobald {entity_name} beginnt, Manipulation zu melden",
"entity_name_became_unsafe": "Sobald {entity_name} unsicher wird",
- "trigger_type_update": "Sobald {entity_name} ein Update verfügbar hat",
"entity_name_started_detecting_vibration": "Sobald {entity_name} Erschütterungen meldet",
"entity_name_is_buffering": "Wenn {entity_name} puffert",
"entity_name_is_idle": "Wenn {entity_name} inaktiv ist",
@@ -2820,35 +3148,6 @@
"entity_name_starts_buffering": "Sobald {entity_name} zu puffern beginnt",
"entity_name_becomes_idle": "Sobald {entity_name} inaktiv wird",
"entity_name_starts_playing": "Sobald {entity_name} mit der Wiedergabe beginnt",
- "entity_name_is_home": "Wenn {entity_name} zuhause ist",
- "entity_name_is_not_home": "Wenn {entity_name} nicht zuhause ist",
- "entity_name_enters_a_zone": "Sobald {entity_name} einen Bereich betritt",
- "entity_name_leaves_a_zone": "Sobald {entity_name} einen Bereich verlässt",
- "decrease_entity_name_brightness": "Verringere die Helligkeit von {entity_name}",
- "increase_entity_name_brightness": "Erhöhe die Helligkeit von {entity_name}",
- "flash_entity_name": "Lass {entity_name} blinken",
- "flash": "Blinken",
- "entity_name_update_availability_changed": "Sobald sich die Updateverfügbarkeit für {entity_name} ändert",
- "arm_entity_name_away": "Aktiviere {entity_name} im Abwesendmodus",
- "arm_entity_name_home": "Aktiviere {entity_name} im Zuhausemodus",
- "arm_entity_name_night": "Aktiviere {entity_name} im Nachtmodus",
- "arm_entity_name_vacation": "Aktiviere {entity_name} im Urlaubsmodus",
- "disarm_entity_name": "Deaktiviere {entity_name}",
- "trigger_entity_name": "Löse {entity_name} aus",
- "entity_name_is_armed_away": "Wenn {entity_name} im Abwesendmodus aktiviert ist",
- "entity_name_is_armed_home": "Wenn {entity_name} im Zuhausemodus aktiviert ist",
- "entity_name_is_armed_night": "Wenn {entity_name} im Nachtmodus aktiviert ist",
- "entity_name_is_armed_vacation": "Wenn {entity_name} im Urlaubsmodus aktiviert ist",
- "entity_name_is_disarmed": "Wenn {entity_name} deaktiviert ist",
- "entity_name_is_triggered": "Wenn {entity_name} ausgelöst ist",
- "entity_name_armed_away": "Sobald {entity_name} im Abwesendmodus aktiviert wird",
- "entity_name_armed_home": "Sobald {entity_name} im Zuhausemodus aktiviert wird",
- "entity_name_armed_night": "Sobald {entity_name} im Nachtmodus aktiviert wird",
- "entity_name_armed_vacation": "Sobald {entity_name} im Urlaubsmodus aktiviert wird",
- "entity_name_disarmed": "Sobald {entity_name} deaktiviert wird",
- "entity_name_triggered": "Sobald {entity_name} ausgelöst wird",
- "press_entity_name_button": "Drücke die Taste {entity_name}",
- "entity_name_has_been_pressed": "Sobald {entity_name} gedrückt wird",
"action_type_select_first": "Ändere {entity_name} auf die erste Option",
"action_type_select_last": "Ändere {entity_name} auf die letzte Option",
"action_type_select_next": "Ändere {entity_name} auf die nächste Option",
@@ -2858,35 +3157,6 @@
"cycle": "Umlaufend",
"from": "Von",
"entity_name_option_changed": "Sobald die Option von {entity_name} geändert wird",
- "close_entity_name": "Schließe {entity_name}",
- "close_entity_name_tilt": "Schließe Kippstellung von {entity_name}",
- "open_entity_name": "Öffne {entity_name}",
- "open_entity_name_tilt": "Öffne Kippstellung von {entity_name}",
- "set_entity_name_position": "Stelle Position von {entity_name} ein",
- "set_entity_name_tilt_position": "Stelle Kippstellung von {entity_name} ein",
- "stop_entity_name": "Stoppe {entity_name}",
- "entity_name_is_closing": "Wenn {entity_name} geschlossen wird",
- "entity_name_is_opening": "Wenn {entity_name} geöffnet wird",
- "current_entity_name_position_is": "Aktuelle Position von {entity_name}",
- "condition_type_is_tilt_position": "Aktuelle Kippstellung von {entity_name}",
- "entity_name_closing": "Sobald {entity_name} geschlossen wird",
- "entity_name_opening": "Sobald {entity_name} geöffnet wird",
- "entity_name_position_changes": "Sobald sich die Position von {entity_name} ändert",
- "entity_name_tilt_position_changes": "Sobald sich die Kippstellung von {entity_name} ändert",
- "first_button": "Taste 1",
- "second_button": "Taste 2",
- "third_button": "Taste 3",
- "fourth_button": "Taste 4",
- "fifth_button": "5. Taste",
- "sixth_button": "6. Taste",
- "subtype_double_push": "Sobald {subtype} zweifach gedrückt wurde",
- "subtype_continuously_pressed": "Sobald „{subtype}“ kontinuierlich gedrückt wird",
- "trigger_type_button_long_release": "Sobald „{subtype}“ nach langem Drücken losgelassen wird",
- "subtype_quadruple_clicked": "Sobald „{subtype}“ vierfach gedrückt wird",
- "subtype_quintuple_clicked": "Sobald „{subtype}“ fünffach gedrückt wird",
- "subtype_pressed": "Sobald „{subtype}“ gedrückt wird",
- "subtype_released": "Sobald „{subtype}“ losgelassen wird",
- "subtype_triple_push": "Sobald {subtype} dreifach gedrückt wurde",
"both_buttons": "Beide Tasten",
"bottom_buttons": "Untere Tasten",
"seventh_button": "7. Taste",
@@ -2911,42 +3181,62 @@
"trigger_type_remote_rotate_from_side": "Sobald das Gerät von „Seite 6“ auf „{subtype}“ gedreht wird",
"device_turned_clockwise": "Sobald das Gerät im Uhrzeigersinn gedreht wird",
"device_turned_counter_clockwise": "Sobald das Gerät gegen den Uhrzeigersinn gedreht wird",
- "send_a_notification": "Benachrichtigung senden",
- "let_entity_name_clean": "Lass {entity_name} reinigen",
- "action_type_dock": "Lass {entity_name} zum Dock zurückkehren",
- "entity_name_is_cleaning": "Wenn {entity_name} reinigt",
- "entity_name_is_docked": "Wenn {entity_name} angedockt ist",
- "entity_name_started_cleaning": "Sobald {entity_name} mit der Reinigung begonnen hat",
- "entity_name_docked": "Sobald {entity_name} angedockt hat",
"subtype_button_down": "Sobald {subtype} gedrückt wird",
"subtype_button_up": "Sobald {subtype} losgelassen wird",
+ "subtype_double_push": "Sobald {subtype} zweifach gedrückt wurde",
"subtype_long_push": "Sobald {subtype} lang gedrückt wurde",
"trigger_type_long_single": "Sobald {subtype} lang und dann kurz gedrückt wurde",
"subtype_single_push": "Sobald {subtype} einfach gedrückt wurde",
"trigger_type_single_long": "Sobald {subtype} kurz und dann lang gedrückt wurde",
- "lock_entity_name": "Schließe {entity_name} ab",
- "unlock_entity_name": "Schließe {entity_name} auf",
+ "subtype_triple_push": "Sobald {subtype} dreifach gedrückt wurde",
+ "arm_entity_name_away": "Aktiviere {entity_name} im Abwesendmodus",
+ "arm_entity_name_home": "Aktiviere {entity_name} im Zuhausemodus",
+ "arm_entity_name_night": "Aktiviere {entity_name} im Nachtmodus",
+ "arm_entity_name_vacation": "Aktiviere {entity_name} im Urlaubsmodus",
+ "disarm_entity_name": "Deaktiviere {entity_name}",
+ "trigger_entity_name": "Löse {entity_name} aus",
+ "entity_name_is_armed_away": "Wenn {entity_name} im Abwesendmodus aktiviert ist",
+ "entity_name_is_armed_home": "Wenn {entity_name} im Zuhausemodus aktiviert ist",
+ "entity_name_is_armed_night": "Wenn {entity_name} im Nachtmodus aktiviert ist",
+ "entity_name_is_armed_vacation": "Wenn {entity_name} im Urlaubsmodus aktiviert ist",
+ "entity_name_is_disarmed": "Wenn {entity_name} deaktiviert ist",
+ "entity_name_is_triggered": "Wenn {entity_name} ausgelöst ist",
+ "entity_name_armed_away": "Sobald {entity_name} im Abwesendmodus aktiviert wird",
+ "entity_name_armed_home": "Sobald {entity_name} im Zuhausemodus aktiviert wird",
+ "entity_name_armed_night": "Sobald {entity_name} im Nachtmodus aktiviert wird",
+ "entity_name_armed_vacation": "Sobald {entity_name} im Urlaubsmodus aktiviert wird",
+ "entity_name_disarmed": "Sobald {entity_name} deaktiviert wird",
+ "entity_name_triggered": "Sobald {entity_name} ausgelöst wird",
+ "action_type_issue_all_led_effect": "Sende Effekt für alle LEDs",
+ "action_type_issue_individual_led_effect": "Sende Effekt für einzelne LED",
+ "squawk": "Aktiviere Heulton",
+ "warn": "Aktiviere Warnung",
+ "color_hue": "Farbton",
+ "duration_in_seconds": "Dauer in Sekunden",
+ "effect_type": "Effekt-Typ",
+ "led_number": "LED-Nummer",
+ "with_face_activated": "Mit Fläche 6 aktiviert",
+ "with_any_specified_face_s_activated": "Mit (einer) beliebigen/bestimmten Seite(n) aktiviert",
+ "device_dropped": "Sobald das Gerät heruntergefallen ist",
+ "device_flipped_subtype": "Sobald das Gerät umgedreht wird „{subtype}“",
+ "device_knocked_subtype": "Sobald auf das Gerät geklopft wird „{subtype}“",
+ "device_offline": "Sobald das Gerät offline ist",
+ "device_rotated_subtype": "Sobald das Gerät gedreht wurde „{subtype}“",
+ "device_slid_subtype": "Sobald das Gerät gerutscht wird „{subtype}“",
+ "device_tilted": "Sobald das Gerät gekippt wird",
+ "trigger_type_remote_button_alt_double_press": "Sobald „{subtype}“ doppelt gedrückt wird (Alternativer Modus)",
+ "trigger_type_remote_button_alt_long_press": "Sobald „{subtype}“ kontinuierlich gedrückt wird (Alternativer Modus)",
+ "trigger_type_remote_button_alt_long_release": "Sobald „{subtype}“ nach langem Drücken losgelassen wird (Alternativer Modus)",
+ "trigger_type_remote_button_alt_quadruple_press": "Sobald „{subtype}“ vierfach gedrückt wird (Alternativer Modus)",
+ "trigger_type_remote_button_alt_quintuple_press": "Sobald „{subtype}“ fünffach gedrückt wird (Alternativer Modus)",
+ "subtype_pressed_alternate_mode": "Sobald „{subtype}“ gedrückt wird (Alternativer Modus)",
+ "subtype_released_alternate_mode": "Sobald „{subtype}“ losgelassen wird (Alternativer Modus)",
+ "trigger_type_remote_button_alt_triple_press": "Sobald „{subtype}“ dreifach angeklickt wird (Alternativer Modus)",
"add_to_queue": "Zur Warteschlange hinzufügen",
"play_next": "Als nächstes abspielen",
"options_replace": "Jetzt spielen und die Warteschlange leeren",
"repeat_all": "Wiederhole alle",
"repeat_one": "Wiederhole eins",
- "no_code_format": "Kein Codeformat",
- "no_unit_of_measurement": "Keine Maßeinheit",
- "critical": "Kritisch",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warnung",
- "create_an_empty_calendar": "Einen leeren Kalender erstellen",
- "options_import_ics_file": "Eine iCalendar-Datei (.ics) hochladen",
- "passive": "Passiv",
- "most_recently_updated": "Aktuellster Wert",
- "arithmetic_mean": "Arithmetisches Mittel",
- "median": "Median",
- "product": "Produkt",
- "statistical_range": "Spannweite",
- "standard_deviation": "Standardabweichung",
- "fatal": "Schwerwiegend",
"alice_blue": "Eisfarben",
"antique_white": "Antikweiß",
"aqua": "Wasser",
@@ -3063,52 +3353,22 @@
"wheat": "Weizen",
"white_smoke": "Weißer Rauch",
"yellow_green": "Gelbgrün",
- "sets_the_value": "Legt den Wert fest.",
- "the_target_value": "Der Wert für das Ziel.",
- "command": "Befehl",
- "device_description": "Geräte-ID, an die der Befehl gesendet werden soll.",
- "delete_command": "Befehl löschen",
- "alternative": "Alternative",
- "command_type_description": "Der Typ des zu lernenden Befehls.",
- "command_type": "Befehlstyp",
- "timeout_description": "Zeitüberschreitung für das Erlernen des Befehls.",
- "learn_command": "Befehl lernen",
- "delay_seconds": "Verzögerungszeit",
- "hold_seconds": "Haltezeit",
- "repeats": "Wiederholungen",
- "send_command": "Befehl senden",
- "sends_the_toggle_command": "Sendet den Befehl zum Umschalten.",
- "turn_off_description": "Schaltet eine oder mehrere Leuchten aus.",
- "turn_on_description": "Startet einen neuen Reinigungsvorgang.",
- "set_datetime_description": "Legt Datum und/oder Uhrzeit fest.",
- "the_target_date": "Das Datum für das Ziel.",
- "datetime_description": "Das Datum und die Uhrzeit für das Ziel.",
- "date_time": "Datum & Uhrzeit",
- "the_target_time": "Die Uhrzeit für das Ziel.",
- "creates_a_new_backup": "Erstellt ein neues Backup.",
- "apply_description": "Aktiviert eine Szene mit Konfiguration.",
- "entities_description": "Liste der Entitäten und deren Zielzustand.",
- "entities_state": "Zustand der Entitäten",
- "transition": "Übergang",
- "apply": "Anwenden",
- "creates_a_new_scene": "Erstellt eine neue Szene.",
- "scene_id_description": "Die Entitäts-ID der neuen Szene.",
- "scene_entity_id": "Szenen-Entitäts-ID",
- "snapshot_entities": "Schnappschuss-Entitäten",
- "delete_description": "Löscht eine dynamisch erstellte Szene.",
- "activates_a_scene": "Aktiviert eine Szene.",
- "closes_a_valve": "Schließt ein Ventil.",
- "opens_a_valve": "Öffnet ein Ventil.",
- "set_valve_position_description": "Bringt ein Ventil in eine bestimmte Position.",
- "target_position": "Zielposition.",
- "set_position": "Position festlegen",
- "stops_the_valve_movement": "Stoppt die Ventilbewegung.",
- "toggles_a_valve_open_closed": "Stellt ein Ventil zwischen geöffnet und geschlossen um.",
- "dashboard_path": "Dashboard-Pfad",
- "view_path": "Ansichts-Pfad",
- "show_dashboard_view": "Dashboard-Ansicht anzeigen",
- "finish_description": "Beendet einen Timer vorzeitig.",
- "duration_description": "Neue Dauer, mit der der Timer neu gestartet werden soll.",
+ "critical": "Kritisch",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warnung",
+ "passive": "Passiv",
+ "no_code_format": "Kein Codeformat",
+ "no_unit_of_measurement": "Keine Maßeinheit",
+ "fatal": "Schwerwiegend",
+ "most_recently_updated": "Aktuellster Wert",
+ "arithmetic_mean": "Arithmetisches Mittel",
+ "median": "Median",
+ "product": "Produkt",
+ "statistical_range": "Spannweite",
+ "standard_deviation": "Standardabweichung",
+ "create_an_empty_calendar": "Einen leeren Kalender erstellen",
+ "options_import_ics_file": "Eine iCalendar-Datei (.ics) hochladen",
"sets_a_random_effect": "Legt einen zufälligen Effekt fest.",
"sequence_description": "Liste der HSV-Sequenzen (maximal 16).",
"backgrounds": "Hintergründe",
@@ -3125,108 +3385,22 @@
"saturation_range": "Sättigungsbereich",
"segments_description": "Liste der Segmente (0 für alle).",
"segments": "Segmente",
+ "transition": "Übergang",
"range_of_transition": "Bereich des Übergangs.",
"transition_range": "Übergangsbereich",
"random_effect": "Zufälliger Effekt",
"sets_a_sequence_effect": "Legt einen Sequenzeffekt fest.",
"repetitions_for_continuous": "Wiederholungen (0 für kontinuierlich).",
+ "repeats": "Wiederholungen",
"sequence": "Sequenz",
"speed_of_spread": "Ausbreitungsgeschwindigkeit.",
"spread": "Ausbreitung",
"sequence_effect": "Sequenzeffekt",
- "check_configuration": "Konfiguration prüfen",
- "reload_all": "Alle neu laden",
- "reload_config_entry_description": "Lädt den angegebenen Konfigurationseintrag neu.",
- "config_entry_id": "Konfigurationseintrags-ID",
- "reload_config_entry": "Konfigurationseintrag neu laden",
- "reload_core_config_description": "Lädt die Core-Konfiguration aus der YAML-Konfiguration neu.",
- "reload_core_configuration": "Core-Konfiguration neu laden",
- "reload_custom_jinja_templates": "Benutzerdefinierte Jinja2-Templates neu laden",
- "restarts_home_assistant": "Startet Home Assistant neu.",
- "safe_mode_description": "Benutzerdefinierte Integrationen und Karten deaktivieren.",
- "save_persistent_states": "Persistente Zustände speichern",
- "set_location_description": "Aktualisiert den Home Assistant-Standort.",
- "elevation_description": "Höhe deines Standorts über dem Meeresspiegel.",
- "latitude_of_your_location": "Breitengrad deines Standorts.",
- "longitude_of_your_location": "Längengrad deines Standorts.",
- "set_location": "Standort festlegen",
- "stops_home_assistant": "Stoppt Home Assistant.",
- "generic_toggle": "Generisches Umschalten",
- "generic_turn_off": "Generisches Ausschalten",
- "generic_turn_on": "Generisches Einschalten",
- "entity_id_description": "Entität, auf die im Logbucheintrag verwiesen werden soll.",
- "entities_to_update": "Zu aktualisierende Entitäten",
- "update_entity": "Entität aktualisieren",
- "turns_auxiliary_heater_on_off": "Schaltet die Zusatzheizung ein oder aus.",
- "aux_heat_description": "Neuer Wert für die Zusatzheizung.",
- "turn_on_off_auxiliary_heater": "Zusatzheizung ein-/ausschalten",
- "sets_fan_operation_mode": "Stellt die Betriebsart des Lüfters ein.",
- "fan_operation_mode": "Betriebsart des Lüfters.",
- "set_fan_mode": "Lüftermodus einstellen",
- "sets_target_humidity": "Legt den Sollwert der Luftfeuchtigkeit fest.",
- "set_target_humidity": "Soll-Luftfeuchtigkeit einstellen",
- "sets_hvac_operation_mode": "Stellt die Betriebsart der Heizung/Lüftung/Klimatisierung ein.",
- "hvac_operation_mode": "Betriebsart der Heizung/Lüftung/Klimatisierung.",
- "set_hvac_mode": "HLK-Betriebsart einstellen",
- "sets_preset_mode": "Aktiviert eine voreingestellte Betriebsart.",
- "set_preset_mode": "Voreinstellung aktivieren",
- "set_swing_horizontal_mode_description": "Stellt die Betriebsart der horizontalen Lüfter-Oszillation ein",
- "horizontal_swing_operation_mode": "Betriebsart der horizontalen Lüfter-Oszillation.",
- "set_horizontal_swing_mode": "Horizontale Oszillationsart einstellen",
- "sets_swing_operation_mode": "Stellt die Betriebsart für die Lüfter-Oszillation ein.",
- "swing_operation_mode": "Betriebsart der Lüfter-Oszillation",
- "set_swing_mode": "Oszillationsart einstellen",
- "sets_the_temperature_setpoint": "Legt den Sollwert für die Temperatur fest.",
- "the_max_temperature_setpoint": "Das Sollwert-Maximum für die Temperatur",
- "the_min_temperature_setpoint": "Das Sollwert-Minimum für die Temperatur",
- "the_temperature_setpoint": "Der Sollwert für die Temperatur.",
- "set_target_temperature": "Soll-Temperatur einstellen",
- "turns_climate_device_off": "Schaltet ein Klimagerät aus.",
- "turns_climate_device_on": "Schaltet ein Klimagerät ein.",
- "decrement_description": "Verringert den aktuellen Wert um eine Schrittweite.",
- "increment_description": "Erhöht den aktuellen Wert um eine Schrittweite.",
- "reset_description": "Setzt einen Zähler auf seinen Anfangswert zurück.",
- "set_value_description": "Legt einen Zahlenwert fest.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Wert für den Konfigurationsparameter.",
- "clear_playlist_description": "Entfernt alle Elemente aus der Wiedergabeliste.",
- "clear_playlist": "Wiedergabeliste leeren",
- "selects_the_next_track": "Wählt den nächsten Titel aus.",
- "pauses": "Pausiert die Wiedergabe.",
- "starts_playing": "Startet die Wiedergabe.",
- "toggles_play_pause": "Schaltet zwischen Wiedergabe und Pause um.",
- "selects_the_previous_track": "Wählt den vorherigen Titel aus.",
- "seek": "Springen",
- "stops_playing": "Stoppt die Wiedergabe.",
- "starts_playing_specified_media": "Beginnt mit der Wiedergabe der angegebenen Medien.",
- "announce": "Durchsage",
- "enqueue": "Einreihen",
- "repeat_mode_to_set": "Wiederholungsmodus einstellen.",
- "select_sound_mode_description": "Wählt einen bestimmten Soundmodus aus.",
- "select_sound_mode": "Soundmodus auswählen",
- "select_source": "Quelle auswählen",
- "shuffle_description": "Ob der Zufallsmodus aktiviert ist oder nicht.",
- "toggle_description": "Schaltet den Staubsauger zwischen ein und aus um.",
- "unjoin": "Trennen",
- "turns_down_the_volume": "Verringert den Lautstärkepegel.",
- "volume_mute_description": "Schaltet den Mediaplayer stumm oder hebt die Stummschaltung auf.",
- "is_volume_muted_description": "Definiert, ob er stummgeschaltet wird oder nicht.",
- "mute_unmute_volume": "Stummschalten / Stummschaltung aufheben",
- "sets_the_volume_level": "Stellt den Lautstärkepegel ein.",
- "level": "Level",
- "set_volume": "Lautstärke einstellen",
- "turns_up_the_volume": "Erhöht den Lautstärkepegel.",
- "battery_description": "Batteriestand des Geräts.",
- "gps_coordinates": "GPS-Koordinaten",
- "gps_accuracy_description": "Genauigkeit der GPS-Koordinaten.",
- "hostname_of_the_device": "Hostname des Geräts.",
- "hostname": "Hostname",
- "mac_description": "MAC-Adresse des Geräts.",
- "see": "Sehen",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Schaltet die Sirene zwischen ein und aus um.",
+ "turns_the_siren_off": "Schaltet die Sirene aus.",
+ "turns_the_siren_on": "Schaltet die Sirene ein.",
"brightness_value": "Helligkeitswert",
"a_human_readable_color_name": "Ein für Menschen lesbarer Name einer Farbe.",
"color_name": "Farbname",
@@ -3237,27 +3411,71 @@
"profile_description": "Name des zu verwendenden Lichtprofils.",
"rgbw_color": "RGBW-Farbe",
"rgbww_color": "RGBWW-Farbe",
- "white_description": "Das Licht auf den Weißmodus einstellen.",
+ "white_description": "Die Leuchte auf Weißmodus einstellen.",
"xy_color": "XY-Farbe",
+ "turn_off_description": "Sendet den Befehl zum Ausschalten.",
"brightness_step_description": "Ändert die Helligkeit um einen bestimmten Wert.",
"brightness_step_value": "Helligkeitsschrittwert",
"brightness_step_pct_description": "Ändert die Helligkeit um einen Prozentsatz.",
"brightness_step": "Helligkeitsschritt",
- "add_event_description": "Fügt einen neuen Kalendereintrag hinzu.",
- "calendar_id_description": "Die ID des gewünschten Kalenders.",
- "calendar_id": "Kalender-ID",
- "description_description": "Die Beschreibung des Termins. Optional.",
- "summary_description": "Dient als Titel des Termins.",
- "location_description": "Der Ort des Termins.",
- "create_event": "Termin erstellen",
- "apply_filter": "Filter anwenden",
- "days_to_keep": "Aufzubewahrende Tage",
- "repack": "Umpacken",
- "purge": "Bereinigen",
- "domains_to_remove": "Zu entfernende Domänen",
- "entity_globs_to_remove": "Zu entfernende Entitäts-Globs",
- "entities_to_remove": "Zu entfernende Entitäten",
- "purge_entities": "Entitäten bereinigen",
+ "toggles_the_helper_on_off": "Schaltet den Helfer zwischen ein und aus um.",
+ "turns_off_the_helper": "Schaltet den Helfer aus.",
+ "turns_on_the_helper": "Schaltet den Helfer ein.",
+ "pauses_the_mowing_task": "Unterbricht den Mähvorgang.",
+ "starts_the_mowing_task": "Startet den Mähvorgang.",
+ "creates_a_new_backup": "Erstellt ein neues Backup.",
+ "sets_the_value": "Legt den Wert fest.",
+ "enter_your_text": "Gib deinen Text ein.",
+ "set_value": "Wert festlegen",
+ "clear_lock_user_code_description": "Löscht einen Benutzercode aus einem Schloss.",
+ "code_slot_description": "Code-Slot zum Festlegen des Codes.",
+ "code_slot": "Code-Slot",
+ "clear_lock_user": "Schlossbenutzer löschen",
+ "disable_lock_user_code_description": "Deaktiviert einen Benutzercode für ein Schloss.",
+ "code_slot_to_disable": "Zu deaktivierender Code-Slot.",
+ "disable_lock_user": "Schlossbenutzer deaktivieren",
+ "enable_lock_user_code_description": "Aktiviert einen Benutzercode für ein Schloss.",
+ "code_slot_to_enable": "Zu aktivierender Code-Slot.",
+ "enable_lock_user": "Benutzersperre aktivieren",
+ "args_description": "Argumente, die an den Befehl übergeben werden sollen.",
+ "args": "Argumente",
+ "cluster_id_description": "ZCL-Cluster, für den Attribute abgerufen werden sollen.",
+ "cluster_id": "Cluster-ID",
+ "type_of_the_cluster": "Typ des Clusters.",
+ "cluster_type": "Clustertyp",
+ "command_description": "Befehl(e) zum Senden an Google Assistant.",
+ "command": "Befehl",
+ "command_type_description": "Der Typ des zu lernenden Befehls.",
+ "command_type": "Befehlstyp",
+ "endpoint_id_description": "Endpunkt-ID für den Cluster.",
+ "endpoint_id": "Endpunkt-ID",
+ "ieee_description": "IEEE-Adresse für das Gerät.",
+ "ieee": "IEEE",
+ "params_description": "Parameter, die an den Befehl übergeben werden sollen.",
+ "params": "Parameter",
+ "issue_zigbee_cluster_command": "Zigbee-Cluster-Befehl ausgeben",
+ "group_description": "Hexadezimale Adresse der Gruppe.",
+ "issue_zigbee_group_command": "Zigbee-Gruppenbefehl ausgeben",
+ "permit_description": "Ermöglicht Knoten den Beitritt zum Zigbee-Netzwerk.",
+ "time_to_permit_joins": "Zeitraum für die Zulassung von Beitritten.",
+ "install_code": "Installationscode",
+ "qr_code": "QR-Code",
+ "source_ieee": "Quell-IEEE",
+ "permit": "Erlauben",
+ "reconfigure_device": "Gerät neu konfigurieren",
+ "remove_description": "Entfernt einen Knoten aus dem Zigbee-Netzwerk.",
+ "set_lock_user_code_description": "Legt einen Benutzercode für ein Schloss fest.",
+ "code_to_set": "Code zum Festlegen.",
+ "set_lock_user_code": "Schloss-Benutzercode einstellen",
+ "attribute_description": "ID des zu setzenden Attributs.",
+ "value_description": "Der festzulegende Zahlenwert für das Ziel.",
+ "set_zigbee_cluster_attribute": "Zigbee-Cluster-Attribut einstellen",
+ "level": "Pegel",
+ "strobe": "Blitzlicht",
+ "warning_device_squawk": "Heulton auf Warngerät ausgeben",
+ "duty_cycle": "Tastverhältnis",
+ "intensity": "Intensität",
+ "warning_device_starts_alert": "Alarm des Warngeräts starten",
"dump_log_objects": "Protokollobjekte ausgeben",
"log_current_tasks_description": "Protokolliert alle aktuellen asyncio-Tasks.",
"log_current_asyncio_tasks": "Aktuelle asyncio-Tasks protokollieren",
@@ -3282,27 +3500,302 @@
"stop_logging_object_sources": "Protokollierung von Objektquellen stoppen",
"stop_log_objects_description": "Stoppt die Protokollierung des Objektwachstums im Speicher.",
"stop_logging_objects": "Protokollierung von Objekten stoppen",
+ "set_default_level_description": "Legt die Standardprotokollstufe für Integrationen fest.",
+ "level_description": "Standardstufe des Schweregrads für alle Integrationen.",
+ "set_default_level": "Standardlevel einstellen",
+ "set_level": "Level einstellen",
+ "stops_a_running_script": "Stoppt ein laufendes Skript.",
+ "clear_skipped_update": "Übersprungenes Update freigeben",
+ "install_update": "Update installieren",
+ "skip_description": "Markiert das momentan verfügbare Update als übersprungen.",
+ "skip_update": "Update überspringen",
+ "decrease_speed_description": "Verringert die Geschwindigkeit eines Ventilators.",
+ "decrease_speed": "Geschwindigkeit verringern",
+ "increase_speed_description": "Erhöht die Geschwindigkeit eines Ventilators.",
+ "increase_speed": "Geschwindigkeit erhöhen",
+ "oscillate_description": "Steuert die Oszillation eines Ventilators.",
+ "turns_oscillation_on_off": "Schaltet die Oszillation ein oder aus.",
+ "set_direction_description": "Legt die Drehrichtung eines Ventilators fest.",
+ "direction_description": "Drehrichtung des Ventilators.",
+ "set_direction": "Richtung einstellen",
+ "set_percentage_description": "Legt die Geschwindigkeit eines Ventilators fest.",
+ "speed_of_the_fan": "Geschwindigkeit des Ventilators.",
+ "percentage": "Prozentsatz",
+ "set_speed": "Geschwindigkeit einstellen",
+ "sets_preset_fan_mode": "Aktiviert einen voreingestellten Ventilatormodus.",
+ "preset_fan_mode": "Voreingestellter Ventilatormodus.",
+ "set_preset_mode": "Voreinstellung aktivieren",
+ "toggles_a_fan_on_off": "Schaltet einen Ventilator zwischen ein und aus um.",
+ "turns_fan_off": "Schaltet einen Ventilator aus.",
+ "turns_fan_on": "Schaltet einen Ventilator ein.",
+ "set_datetime_description": "Legt Datum und/oder Uhrzeit fest.",
+ "the_target_date": "Das Datum für das Ziel.",
+ "datetime_description": "Das Datum und die Uhrzeit für das Ziel.",
+ "date_time": "Datum & Uhrzeit",
+ "the_target_time": "Die Uhrzeit für das Ziel.",
+ "log_description": "Erstellt einen benutzerdefinierten Eintrag im Logbuch.",
+ "entity_id_description": "Mediaplayer zur Wiedergabe der Meldung.",
+ "message_description": "Nachrichtentext der Benachrichtigung.",
+ "log": "Protokollieren",
+ "request_sync_description": "Sendet einen request_sync-Befehl an Google.",
+ "agent_user_id": "Benutzer-ID des Agenten",
+ "request_sync": "Synchronisierung anfordern",
+ "apply_description": "Aktiviert eine Szene mit Konfiguration.",
+ "entities_description": "Liste der Entitäten und deren Zielzustand.",
+ "entities_state": "Zustand der Entitäten",
+ "apply": "Anwenden",
+ "creates_a_new_scene": "Erstellt eine neue Szene.",
+ "entity_states": "Entitätszustände",
+ "scene_id_description": "Die Entitäts-ID der neuen Szene.",
+ "scene_entity_id": "Szenen-Entitäts-ID",
+ "entities_snapshot": "Entitäten-Schnappschuss",
+ "delete_description": "Löscht eine dynamisch erstellte Szene.",
+ "activates_a_scene": "Aktiviert eine Szene.",
"reload_themes_description": "Lädt Themes aus der YAML-Konfiguration neu.",
"reload_themes": "Themes neu laden",
"name_of_a_theme": "Name eines Themes.",
"set_the_default_theme": "Standardtheme festlegen",
+ "decrement_description": "Verringert den aktuellen Wert um eine Schrittweite.",
+ "increment_description": "Erhöht den aktuellen Wert um eine Schrittweite.",
+ "reset_description": "Setzt einen Zähler auf seinen Anfangswert zurück.",
+ "set_value_description": "Legt einen Zahlenwert fest.",
+ "check_configuration": "Konfiguration prüfen",
+ "reload_all": "Alle neu laden",
+ "reload_config_entry_description": "Lädt den angegebenen Konfigurationseintrag neu.",
+ "config_entry_id": "Konfigurationseintrags-ID",
+ "reload_config_entry": "Konfigurationseintrag neu laden",
+ "reload_core_config_description": "Lädt die Core-Konfiguration aus der YAML-Konfiguration neu.",
+ "reload_core_configuration": "Core-Konfiguration neu laden",
+ "reload_custom_jinja_templates": "Benutzerdefinierte Jinja2-Templates neu laden",
+ "restarts_home_assistant": "Startet Home Assistant neu.",
+ "safe_mode_description": "Benutzerdefinierte Integrationen und Karten deaktivieren.",
+ "save_persistent_states": "Persistente Zustände speichern",
+ "set_location_description": "Aktualisiert den Home Assistant-Standort.",
+ "elevation_description": "Höhe deines Standorts über dem Meeresspiegel.",
+ "latitude_of_your_location": "Breitengrad deines Standorts.",
+ "longitude_of_your_location": "Längengrad deines Standorts.",
+ "set_location": "Standort festlegen",
+ "stops_home_assistant": "Stoppt Home Assistant.",
+ "generic_toggle": "Generisches Umschalten",
+ "generic_turn_off": "Generisches Ausschalten",
+ "generic_turn_on": "Generisches Einschalten",
+ "entities_to_update": "Zu aktualisierende Entitäten",
+ "update_entity": "Entität aktualisieren",
+ "notify_description": "Sendet eine Benachrichtigung an ausgewählte Ziele.",
+ "data": "Daten",
+ "title_for_your_notification": "Titel für deine Benachrichtigung.",
+ "title_of_the_notification": "Titel der Benachrichtigung.",
+ "send_a_persistent_notification": "Anhaltende Benachrichtigung senden",
+ "sends_a_notification_message": "Sendet eine Benachrichtigungsmeldung.",
+ "your_notification_message": "Deine Benachrichtigungsmeldung.",
+ "title_description": "Optionaler Titel der Benachrichtigung.",
+ "send_a_notification_message": "Benachrichtigungsmeldung senden",
+ "send_magic_packet": "Magic Packet senden",
+ "topic_to_listen_to": "Zu abonnierendes Topic.",
+ "topic": "Topic",
+ "export": "Exportieren",
+ "publish_description": "Veröffentlicht eine Nachricht in einem MQTT-Topic.",
+ "evaluate_payload": "Payload auswerten",
+ "the_payload_to_publish": "Die zu veröffentlichende Payload.",
+ "payload": "Payload",
+ "payload_template": "Payload-Template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic, in dem veröffentlicht werden soll.",
+ "publish": "Veröffentlichen",
+ "load_url_description": "Lädt eine URL im Fully Kiosk Browser.",
+ "url_to_load": "Zu ladende URL.",
+ "load_url": "URL laden",
+ "configuration_parameter_to_set": "Zu setzender Konfigurationsparameter.",
+ "key": "Schlüssel",
+ "set_configuration": "Konfiguration festlegen",
+ "application_description": "Paketname der zu startenden Anwendung.",
+ "application": "Anwendung",
+ "start_application": "Anwendung starten",
+ "battery_description": "Batteriestand des Geräts.",
+ "gps_coordinates": "GPS-Koordinaten",
+ "gps_accuracy_description": "Genauigkeit der GPS-Koordinaten.",
+ "hostname_of_the_device": "Hostname des Geräts.",
+ "hostname": "Hostname",
+ "mac_description": "MAC-Adresse des Geräts.",
+ "see": "Sehen",
+ "device_description": "Geräte-ID, an die der Befehl gesendet werden soll.",
+ "delete_command": "Befehl löschen",
+ "alternative": "Alternative",
+ "timeout_description": "Zeitüberschreitung für das Erlernen des Befehls.",
+ "learn_command": "Befehl lernen",
+ "delay_seconds": "Verzögerungszeit",
+ "hold_seconds": "Haltezeit",
+ "send_command": "Befehl senden",
+ "sends_the_toggle_command": "Sendet den Befehl zum Umschalten.",
+ "turn_on_description": "Startet einen neuen Reinigungsvorgang.",
+ "get_weather_forecast": "Ruft die Wettervorhersage ab.",
+ "type_description": "Vorhersage-Typ: täglich, stündlich oder zweimal täglich.",
+ "forecast_type": "Vorhersage-Typ",
+ "get_forecast": "Vorhersage abrufen",
+ "get_weather_forecasts": "Ruft Wettervorhersagen ab.",
+ "get_forecasts": "Vorhersagen abrufen",
+ "press_the_button_entity": "Drückt eine Tasten-Entität.",
+ "enable_remote_access": "Fernzugriff aktivieren",
+ "disable_remote_access": "Fernzugriff deaktivieren",
+ "create_description": "Zeigt eine Benachrichtigung im Benachrichtigungsfeld an.",
+ "notification_id": "Benachrichtigungs-ID",
+ "dismiss_description": "Löscht eine Benachrichtigung aus dem Benachrichtigungsfeld.",
+ "notification_id_description": "ID der zu löschenden Benachrichtigung.",
+ "dismiss_all_description": "Löscht alle Benachrichtigungen aus dem Benachrichtigungsfeld.",
+ "locate_description": "Ortet den Staubsaugerroboter.",
+ "pauses_the_cleaning_task": "Unterbricht den Reinigungsvorgang.",
+ "send_command_description": "Sendet einen Befehl an den Staubsauger.",
+ "set_fan_speed": "Saugkraft einstellen",
+ "start_description": "Startet oder setzt den Reinigungsvorgang fort.",
+ "start_pause_description": "Startet, pausiert oder setzt den Reinigungsvorgang fort.",
+ "stop_description": "Stoppt den aktuellen Reinigungsvorgang.",
+ "toggle_description": "Schaltet einen Mediaplayer zwischen ein und aus um.",
+ "play_chime_description": "Spielt einen Klingelton auf einem Reolink Chime ab.",
+ "target_chime": "Ziel-Chime",
+ "ringtone_to_play": "Abzuspielender Klingelton.",
+ "ringtone": "Klingelton",
+ "play_chime": "Chime klingeln lassen",
+ "ptz_move_description": "Bewegt die Kamera mit einer bestimmten Geschwindigkeit.",
+ "ptz_move_speed": "PTZ-Bewegungsgeschwindigkeit.",
+ "ptz_move": "PTZ-Bewegung",
+ "disables_the_motion_detection": "Deaktiviert die Bewegungserkennung.",
+ "disable_motion_detection": "Bewegungserkennung deaktivieren",
+ "enables_the_motion_detection": "Aktiviert die Bewegungserkennung.",
+ "enable_motion_detection": "Bewegungserkennung aktivieren",
+ "format_description": "Vom Mediaplayer unterstütztes Streamformat.",
+ "format": "Format",
+ "media_player_description": "Mediaplayer zum Streamen.",
+ "play_stream": "Stream wiedergeben",
+ "filename_description": "Vollständiger Pfad zum Dateinamen. Muss mp4 sein.",
+ "filename": "Dateiname",
+ "lookback": "Rückblick",
+ "snapshot_description": "Nimmt einen Schnappschuss von einer Kamera auf.",
+ "full_path_to_filename": "Vollständiger Pfad zum Dateinamen.",
+ "take_snapshot": "Schnappschuss machen",
+ "turns_off_the_camera": "Schaltet die Kamera aus.",
+ "turns_on_the_camera": "Schaltet die Kamera ein.",
+ "reload_resources_description": "Lädt Dashboard-Ressourcen aus der YAML-Konfiguration neu.",
"clear_tts_cache": "TTS-Zwischenspeicher leeren",
"cache": "Zwischenspeichern",
"language_description": "Sprache des Textes. Standardmäßig wird die Sprache des Servers verwendet.",
- "options_description": "Ein Dictionary mit integrationsspezifischen Optionen.",
+ "options_description": "Ein Dictionary mit integrationsabhängigen Optionen.",
"say_a_tts_message": "Sage eine TTS-Meldung",
- "media_player_entity_id_description": "Mediaplayer zur Wiedergabe der Meldung.",
"media_player_entity": "Mediaplayer-Entität",
"speak": "Sprechen",
- "reload_resources_description": "Lädt Dashboard-Ressourcen aus der YAML-Konfiguration neu.",
- "toggles_the_siren_on_off": "Schaltet die Sirene zwischen ein und aus um.",
- "turns_the_siren_off": "Schaltet die Sirene aus.",
- "turns_the_siren_on": "Schaltet die Sirene ein.",
- "toggles_the_helper_on_off": "Schaltet den Helfer zwischen ein und aus um.",
- "turns_off_the_helper": "Schaltet den Helfer aus.",
- "turns_on_the_helper": "Schaltet den Helfer ein.",
- "pauses_the_mowing_task": "Unterbricht den Mähvorgang.",
- "starts_the_mowing_task": "Startet den Mähvorgang.",
+ "send_text_command": "Textbefehl senden",
+ "the_target_value": "Der Zielwert.",
+ "removes_a_group": "Entfernt eine Gruppe.",
+ "object_id": "Objekt-ID",
+ "creates_updates_a_group": "Erstellt/aktualisiert eine Gruppe.",
+ "add_entities": "Entitäten hinzufügen",
+ "icon_description": "Name des Symbols für die Gruppe.",
+ "name_of_the_group": "Name der Gruppe.",
+ "remove_entities": "Entitäten entfernen",
+ "locks_a_lock": "Verriegelt ein Schloss.",
+ "code_description": "Code zum Aktivieren der Alarmzentrale.",
+ "opens_a_lock": "Öffnet ein Schloss.",
+ "unlocks_a_lock": "Entriegelt ein Schloss.",
+ "announce_description": "Lässt den Satelliten eine Nachricht verkünden.",
+ "media_id": "Medien-ID",
+ "the_message_to_announce": "Die Nachricht, die als Durchsage wiedergegeben werden soll.",
+ "announce": "Durchsage",
+ "reloads_the_automation_configuration": "Lädt die Automationskonfiguration neu.",
+ "trigger_description": "Löst die Aktionen einer Automation aus.",
+ "skip_conditions": "Bedingungen überspringen",
+ "trigger": "Auslösen",
+ "disables_an_automation": "Deaktiviert eine Automation.",
+ "stops_currently_running_actions": "Stoppt momentan ausgeführte Aktionen.",
+ "stop_actions": "Aktionen stoppen",
+ "enables_an_automation": "Aktiviert eine Automation",
+ "deletes_all_log_entries": "Löscht alle Protokolleinträge.",
+ "write_log_entry": "Schreibt einen Protokolleintrag.",
+ "log_level": "Protokollebene.",
+ "message_to_log": "Nachricht zum Protokollieren.",
+ "write": "Schreiben",
+ "dashboard_path": "Dashboard-Pfad",
+ "view_path": "Ansichts-Pfad",
+ "show_dashboard_view": "Dashboard-Ansicht anzeigen",
+ "process_description": "Startet eine Konversation aus einem transkribierten Text.",
+ "agent": "Agent",
+ "conversation_id": "Konversations-ID",
+ "transcribed_text_input": "Transkribierte Texteingabe.",
+ "reloads_the_intent_configuration": "Lädt die Intent-Konfiguration neu.",
+ "conversation_agent_to_reload": "Neu zu ladender Konversationsagent.",
+ "closes_a_cover": "Schließt eine Abdeckung.",
+ "close_cover_tilt_description": "Kippt eine Abdeckung, um sie zu schließen.",
+ "close_tilt": "Kippstellung schließen",
+ "opens_a_cover": "Öffnet eine Abdeckung.",
+ "tilts_a_cover_open": "Kippt eine Abdeckung, um sie zu öffnen.",
+ "open_tilt": "Kippstellung öffnen",
+ "set_cover_position_description": "Bewegt eine Abdeckung an eine bestimmte Position.",
+ "target_position": "Zielposition.",
+ "set_position": "Position festlegen",
+ "target_tilt_positition": "Zielposition der Kippstellung.",
+ "set_tilt_position": "Kippstellung einstellen",
+ "stops_the_cover_movement": "Stoppt die Bewegung einer Abdeckung.",
+ "stop_cover_tilt_description": "Stoppt die Kippbewegung einer Abdeckung.",
+ "stop_tilt": "Kippbewegung stoppen",
+ "toggles_a_cover_open_closed": "Öffnet oder schließt eine Abdeckung.",
+ "toggle_cover_tilt_description": "Öffnet oder schließt die Kippstellung.",
+ "toggle_tilt": "Kippstellung umschalten",
+ "turns_auxiliary_heater_on_off": "Schaltet die Zusatzheizung ein oder aus.",
+ "aux_heat_description": "Neuer Wert für die Zusatzheizung.",
+ "turn_on_off_auxiliary_heater": "Zusatzheizung ein-/ausschalten",
+ "sets_fan_operation_mode": "Stellt die Betriebsart des Lüfters ein.",
+ "fan_operation_mode": "Betriebsart des Lüfters.",
+ "set_fan_mode": "Lüftermodus einstellen",
+ "sets_target_humidity": "Legt den Sollwert der Luftfeuchtigkeit fest.",
+ "set_target_humidity": "Soll-Luftfeuchtigkeit einstellen",
+ "sets_hvac_operation_mode": "Stellt die Betriebsart der Heizung/Lüftung/Klimatisierung ein.",
+ "hvac_operation_mode": "Betriebsart der Heizung/Lüftung/Klimatisierung.",
+ "set_hvac_mode": "HLK-Betriebsart einstellen",
+ "sets_preset_mode": "Aktiviert eine voreingestellte Betriebsart.",
+ "set_swing_horizontal_mode_description": "Stellt die Betriebsart der horizontalen Lüfter-Oszillation ein",
+ "horizontal_swing_operation_mode": "Betriebsart der horizontalen Lüfter-Oszillation.",
+ "set_horizontal_swing_mode": "Horizontale Oszillationsart einstellen",
+ "sets_swing_operation_mode": "Stellt die Betriebsart für die Lüfter-Oszillation ein.",
+ "swing_operation_mode": "Betriebsart der Lüfter-Oszillation",
+ "set_swing_mode": "Oszillationsart einstellen",
+ "sets_the_temperature_setpoint": "Legt den Sollwert für die Temperatur fest.",
+ "the_max_temperature_setpoint": "Das Sollwert-Maximum für die Temperatur",
+ "the_min_temperature_setpoint": "Das Sollwert-Minimum für die Temperatur",
+ "the_temperature_setpoint": "Der Sollwert für die Temperatur.",
+ "set_target_temperature": "Soll-Temperatur einstellen",
+ "turns_climate_device_off": "Schaltet ein Klimagerät aus.",
+ "turns_climate_device_on": "Schaltet ein Klimagerät ein.",
+ "apply_filter": "Filter anwenden",
+ "days_to_keep": "Aufzubewahrende Tage",
+ "repack": "Umpacken",
+ "purge": "Bereinigen",
+ "domains_to_remove": "Zu entfernende Domänen",
+ "entity_globs_to_remove": "Zu entfernende Entitäts-Globs",
+ "entities_to_remove": "Zu entfernende Entitäten",
+ "purge_entities": "Entitäten bereinigen",
+ "clear_playlist_description": "Entfernt alle Elemente aus der Wiedergabeliste.",
+ "clear_playlist": "Wiedergabeliste leeren",
+ "selects_the_next_track": "Wählt den nächsten Titel aus.",
+ "pauses": "Pausiert die Wiedergabe.",
+ "starts_playing": "Startet die Wiedergabe.",
+ "toggles_play_pause": "Schaltet zwischen Wiedergabe und Pause um.",
+ "selects_the_previous_track": "Wählt den vorherigen Titel aus.",
+ "seek": "Springen",
+ "stops_playing": "Stoppt die Wiedergabe.",
+ "starts_playing_specified_media": "Beginnt mit der Wiedergabe der angegebenen Medien.",
+ "enqueue": "Einreihen",
+ "repeat_mode_to_set": "Wiederholungsmodus einstellen.",
+ "select_sound_mode_description": "Wählt einen bestimmten Soundmodus aus.",
+ "select_sound_mode": "Soundmodus auswählen",
+ "select_source": "Quelle auswählen",
+ "shuffle_description": "Ob der Zufallsmodus aktiviert ist oder nicht.",
+ "unjoin": "Trennen",
+ "turns_down_the_volume": "Verringert den Lautstärkepegel.",
+ "volume_mute_description": "Schaltet den Mediaplayer stumm oder hebt die Stummschaltung auf.",
+ "is_volume_muted_description": "Definiert, ob er stummgeschaltet wird oder nicht.",
+ "mute_unmute_volume": "Stummschalten / Stummschaltung aufheben",
+ "sets_the_volume_level": "Stellt den Lautstärkepegel ein.",
+ "set_volume": "Lautstärke einstellen",
+ "turns_up_the_volume": "Erhöht den Lautstärkepegel.",
"restarts_an_add_on": "Startet ein Add-on neu.",
"the_add_on_to_restart": "Welches Add-on neu gestartet werden soll.",
"restart_add_on": "Add-on neu starten",
@@ -3340,39 +3833,6 @@
"restore_partial_description": "Stellt eine partielle Datensicherung wieder her.",
"restores_home_assistant": "Stellt Home Assistant wieder her.",
"restore_from_partial_backup": "Teil-Backup wiederherstellen",
- "decrease_speed_description": "Verringert die Geschwindigkeit eines Ventilators.",
- "decrease_speed": "Geschwindigkeit verringern",
- "increase_speed_description": "Erhöht die Geschwindigkeit eines Ventilators.",
- "increase_speed": "Geschwindigkeit erhöhen",
- "oscillate_description": "Steuert die Oszillation eines Ventilators.",
- "turns_oscillation_on_off": "Schaltet die Oszillation ein oder aus.",
- "set_direction_description": "Legt die Drehrichtung eines Ventilators fest.",
- "direction_description": "Drehrichtung des Ventilators.",
- "set_direction": "Richtung einstellen",
- "set_percentage_description": "Legt die Geschwindigkeit eines Ventilators fest.",
- "speed_of_the_fan": "Geschwindigkeit des Ventilators.",
- "percentage": "Prozentsatz",
- "set_speed": "Geschwindigkeit einstellen",
- "sets_preset_fan_mode": "Aktiviert einen voreingestellten Ventilatormodus.",
- "preset_fan_mode": "Voreingestellter Ventilatormodus.",
- "toggles_a_fan_on_off": "Schaltet einen Ventilator zwischen ein und aus um.",
- "turns_fan_off": "Schaltet einen Ventilator aus.",
- "turns_fan_on": "Schaltet einen Ventilator ein.",
- "get_weather_forecast": "Ruft die Wettervorhersage ab.",
- "type_description": "Vorhersage-Typ: täglich, stündlich oder zweimal täglich.",
- "forecast_type": "Vorhersage-Typ",
- "get_forecast": "Vorhersage abrufen",
- "get_weather_forecasts": "Ruft Wettervorhersagen ab.",
- "get_forecasts": "Vorhersagen abrufen",
- "clear_skipped_update": "Übersprungenes Update freigeben",
- "install_update": "Update installieren",
- "skip_description": "Markiert das momentan verfügbare Update als übersprungen.",
- "skip_update": "Update überspringen",
- "code_description": "Code zum Entriegeln des Schlosses.",
- "alarm_arm_vacation_description": "Stellt die Alarmzentrale auf: Aktiviert für Urlaub.",
- "disarms_the_alarm": "Deaktiviert die Alarmzentrale.",
- "trigger_the_alarm_manually": "Löst den Alarm manuell aus.",
- "trigger": "Auslösen",
"selects_the_first_option": "Wählt die erste Option aus.",
"first": "Erste",
"selects_the_last_option": "Wählt die letzte Option aus.",
@@ -3380,77 +3840,16 @@
"selects_an_option": "Wählt eine Option aus.",
"option_to_be_selected": "Zu wählende Option.",
"selects_the_previous_option": "Wählt die vorherige Option aus.",
- "disables_the_motion_detection": "Deaktiviert die Bewegungserkennung.",
- "disable_motion_detection": "Bewegungserkennung deaktivieren",
- "enables_the_motion_detection": "Aktiviert die Bewegungserkennung.",
- "enable_motion_detection": "Bewegungserkennung aktivieren",
- "format_description": "Vom Mediaplayer unterstütztes Streamformat.",
- "format": "Format",
- "media_player_description": "Mediaplayer zum Streamen.",
- "play_stream": "Stream wiedergeben",
- "filename_description": "Vollständiger Pfad zum Dateinamen. Muss mp4 sein.",
- "filename": "Dateiname",
- "lookback": "Rückblick",
- "snapshot_description": "Nimmt einen Schnappschuss von einer Kamera auf.",
- "full_path_to_filename": "Vollständiger Pfad zum Dateinamen.",
- "take_snapshot": "Schnappschuss machen",
- "turns_off_the_camera": "Schaltet die Kamera aus.",
- "turns_on_the_camera": "Schaltet die Kamera ein.",
- "press_the_button_entity": "Drückt eine Tasten-Entität.",
+ "add_event_description": "Fügt einen neuen Kalendereintrag hinzu.",
+ "location_description": "Der Ort des Termins. Optional.",
"start_date_description": "Das Datum, an dem der ganztägige Termin beginnen soll.",
+ "create_event": "Termin anlegen",
"get_events": "Termine abrufen",
- "select_the_next_option": "Wähle die nächste Option.",
- "sets_the_options": "Legt die Optionen fest.",
- "list_of_options": "Liste der Optionen.",
- "set_options": "Optionen festlegen",
- "closes_a_cover": "Schließt eine Abdeckung.",
- "close_cover_tilt_description": "Kippt eine Abdeckung, um sie zu schließen.",
- "close_tilt": "Kippstellung schließen",
- "opens_a_cover": "Öffnet eine Abdeckung.",
- "tilts_a_cover_open": "Kippt eine Abdeckung, um sie zu öffnen.",
- "open_tilt": "Kippstellung öffnen",
- "set_cover_position_description": "Bewegt eine Abdeckung an eine bestimmte Position.",
- "target_tilt_positition": "Zielposition der Kippstellung.",
- "set_tilt_position": "Kippstellung einstellen",
- "stops_the_cover_movement": "Stoppt die Bewegung einer Abdeckung.",
- "stop_cover_tilt_description": "Stoppt die Kippbewegung einer Abdeckung.",
- "stop_tilt": "Kippbewegung stoppen",
- "toggles_a_cover_open_closed": "Öffnet oder schließt eine Abdeckung.",
- "toggle_cover_tilt_description": "Öffnet oder schließt die Kippstellung.",
- "toggle_tilt": "Kippstellung umschalten",
- "request_sync_description": "Sendet einen request_sync-Befehl an Google.",
- "agent_user_id": "Benutzer-ID des Agenten",
- "request_sync": "Synchronisierung anfordern",
- "log_description": "Erstellt einen benutzerdefinierten Eintrag im Logbuch.",
- "message_description": "Nachrichtentext der Benachrichtigung.",
- "log": "Protokollieren",
- "enter_your_text": "Gib deinen Text ein.",
- "set_value": "Wert festlegen",
- "topic_to_listen_to": "Zu abonnierendes Topic.",
- "topic": "Topic",
- "export": "Exportieren",
- "publish_description": "Veröffentlicht eine Nachricht in einem MQTT-Topic.",
- "evaluate_payload": "Payload auswerten",
- "the_payload_to_publish": "Die zu veröffentlichende Payload.",
- "payload": "Payload",
- "payload_template": "Payload-Template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic, in dem veröffentlicht werden soll.",
- "publish": "Veröffentlichen",
- "reloads_the_automation_configuration": "Lädt die Automationskonfiguration neu.",
- "trigger_description": "Löst die Aktionen einer Automation aus.",
- "skip_conditions": "Bedingungen überspringen",
- "disables_an_automation": "Deaktiviert eine Automation.",
- "stops_currently_running_actions": "Stoppt momentan ausgeführte Aktionen.",
- "stop_actions": "Aktionen stoppen",
- "enables_an_automation": "Aktiviert eine Automation",
- "enable_remote_access": "Fernzugriff aktivieren",
- "disable_remote_access": "Fernzugriff deaktivieren",
- "set_default_level_description": "Legt die Standardprotokollstufe für Integrationen fest.",
- "level_description": "Standardstufe des Schweregrads für alle Integrationen.",
- "set_default_level": "Standardlevel einstellen",
- "set_level": "Level einstellen",
+ "closes_a_valve": "Schließt ein Ventil.",
+ "opens_a_valve": "Öffnet ein Ventil.",
+ "set_valve_position_description": "Bringt ein Ventil in eine bestimmte Position.",
+ "stops_the_valve_movement": "Stoppt die Ventilbewegung.",
+ "toggles_a_valve_open_closed": "Stellt ein Ventil zwischen geöffnet und geschlossen um.",
"bridge_identifier": "Bridge-ID",
"configuration_payload": "Payload für die Konfiguration",
"entity_description": "Repräsentiert einen bestimmten Geräteendpunkt in deCONZ.",
@@ -3459,82 +3858,31 @@
"device_refresh_description": "Aktualisiert die verfügbaren Geräte von deCONZ.",
"device_refresh": "Gerät aktualisieren",
"remove_orphaned_entries": "Verwaiste Einträge entfernen",
- "locate_description": "Ortet den Staubsaugerroboter.",
- "pauses_the_cleaning_task": "Unterbricht den Reinigungsvorgang.",
- "send_command_description": "Sendet einen Befehl an den Staubsauger.",
- "command_description": "Befehl(e) zum Senden an Google Assistant.",
- "parameters": "Parameter",
- "set_fan_speed": "Saugkraft einstellen",
- "start_description": "Startet oder setzt den Reinigungsvorgang fort.",
- "start_pause_description": "Startet, pausiert oder setzt den Reinigungsvorgang fort.",
- "stop_description": "Stoppt den aktuellen Reinigungsvorgang.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Schaltet einen Schalter zwischen ein und aus um.",
- "turns_a_switch_off": "Schaltet einen Schalter aus.",
- "turns_a_switch_on": "Schaltet einen Schalter ein.",
+ "calendar_id_description": "Die ID des gewünschten Kalenders.",
+ "calendar_id": "Kalender-ID",
+ "description_description": "Die Beschreibung des Termins. Optional.",
+ "summary_description": "Dient als Titel des Termins.",
"extract_media_url_description": "Extrahiert die Medien-URL aus einem Dienst.",
"format_query": "Formatabfrage",
"url_description": "URL, unter der die Medien gefunden werden können.",
"media_url": "Medien-URL",
"get_media_url": "Medien-URL abrufen",
"play_media_description": "Lädt eine Datei von der angegebenen URL herunter.",
- "notify_description": "Sendet eine Benachrichtigung an ausgewählte Ziele.",
- "data": "Daten",
- "title_for_your_notification": "Titel für deine Benachrichtigung.",
- "title_of_the_notification": "Titel der Benachrichtigung.",
- "send_a_persistent_notification": "Anhaltende Benachrichtigung senden",
- "sends_a_notification_message": "Sendet eine Benachrichtigungsmeldung.",
- "your_notification_message": "Deine Benachrichtigungsmeldung.",
- "title_description": "Optionaler Titel der Benachrichtigung.",
- "send_a_notification_message": "Benachrichtigungsmeldung senden",
- "process_description": "Startet eine Konversation aus einem transkribierten Text.",
- "agent": "Agent",
- "conversation_id": "Konversations-ID",
- "transcribed_text_input": "Transkribierte Texteingabe.",
- "reloads_the_intent_configuration": "Lädt die Intent-Konfiguration neu.",
- "conversation_agent_to_reload": "Neu zu ladender Konversationsagent.",
- "play_chime_description": "Spielt einen Klingelton auf einem Reolink Chime ab.",
- "target_chime": "Ziel-Chime",
- "ringtone_to_play": "Abzuspielender Klingelton.",
- "ringtone": "Klingelton",
- "play_chime": "Chime klingeln lassen",
- "ptz_move_description": "Bewegt die Kamera mit einer bestimmten Geschwindigkeit.",
- "ptz_move_speed": "PTZ-Bewegungsgeschwindigkeit.",
- "ptz_move": "PTZ-Bewegung",
- "send_magic_packet": "Magic Packet senden",
- "send_text_command": "Textbefehl senden",
- "announce_description": "Lässt den Satelliten eine Nachricht verkünden.",
- "media_id": "Medien-ID",
- "the_message_to_announce": "Die Nachricht, die als Durchsage wiedergegeben werden soll.",
- "deletes_all_log_entries": "Löscht alle Protokolleinträge.",
- "write_log_entry": "Schreibt einen Protokolleintrag.",
- "log_level": "Protokollebene.",
- "message_to_log": "Nachricht zum Protokollieren.",
- "write": "Schreiben",
- "locks_a_lock": "Verriegelt ein Schloss.",
- "opens_a_lock": "Öffnet ein Schloss.",
- "unlocks_a_lock": "Entriegelt ein Schloss.",
- "removes_a_group": "Entfernt eine Gruppe.",
- "object_id": "Objekt-ID",
- "creates_updates_a_group": "Erstellt/aktualisiert eine Gruppe.",
- "add_entities": "Entitäten hinzufügen",
- "icon_description": "Name des Symbols für die Gruppe.",
- "name_of_the_group": "Name der Gruppe.",
- "remove_entities": "Entitäten entfernen",
- "stops_a_running_script": "Stoppt ein laufendes Skript.",
- "create_description": "Zeigt eine Benachrichtigung im Benachrichtigungsfeld an.",
- "notification_id": "Benachrichtigungs-ID",
- "dismiss_description": "Löscht eine Benachrichtigung aus dem Benachrichtigungsfeld.",
- "notification_id_description": "ID der zu löschenden Benachrichtigung.",
- "dismiss_all_description": "Löscht alle Benachrichtigungen aus dem Benachrichtigungsfeld.",
- "load_url_description": "Lädt eine URL im Fully Kiosk Browser.",
- "url_to_load": "Zu ladende URL.",
- "load_url": "URL laden",
- "configuration_parameter_to_set": "Zu setzender Konfigurationsparameter.",
- "key": "Schlüssel",
- "set_configuration": "Konfiguration festlegen",
- "application_description": "Paketname der zu startenden Anwendung.",
- "application": "Anwendung",
- "start_application": "Anwendung starten"
+ "select_the_next_option": "Wähle die nächste Option.",
+ "sets_the_options": "Legt die Optionen fest.",
+ "list_of_options": "Liste der Optionen.",
+ "set_options": "Optionen festlegen",
+ "alarm_arm_vacation_description": "Stellt die Alarmzentrale auf: Aktiviert für Urlaub.",
+ "disarms_the_alarm": "Deaktiviert die Alarmzentrale.",
+ "trigger_the_alarm_manually": "Löst den Alarm manuell aus.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Beendet einen Timer vorzeitig.",
+ "duration_description": "Neue Dauer, mit der der Timer neu gestartet werden soll.",
+ "toggles_a_switch_on_off": "Schaltet einen Schalter zwischen ein und aus um.",
+ "turns_a_switch_off": "Schaltet einen Schalter aus.",
+ "turns_a_switch_on": "Schaltet einen Schalter ein."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/el/el.json b/packages/core/src/hooks/useLocale/locales/el/el.json
index 8a899aaf..fbd173eb 100644
--- a/packages/core/src/hooks/useLocale/locales/el/el.json
+++ b/packages/core/src/hooks/useLocale/locales/el/el.json
@@ -6,7 +6,7 @@
"map": "Χάρτης",
"logbook": "Logbook",
"history": "History",
- "to_do_lists": "Λίστες υποχρεώσεων",
+ "to_do_lists": "Λίστες εκκρεμοτήτων",
"developer_tools": "Εργαλεία προγραμματιστή",
"media": "Πολυμέσα",
"profile": "Προφίλ",
@@ -260,6 +260,7 @@
"learn_more_about_templating": "Μάθετε περισσότερα σχετικά με τα πρότυπα.",
"show_password": "Εμφάνιση κωδικού πρόσβασης",
"hide_password": "Απόκρυψη κωδικού πρόσβασης",
+ "ui_components_selectors_background_yaml_info": "Η εικόνα φόντου ορίζεται μέσω του επεξεργαστή yaml.",
"no_logbook_events_found": "Δεν βρέθηκαν συμβάντα στο ημερολόγιο.",
"triggered_by": "πυροδοτήθηκε από το",
"triggered_by_automation": "πυροδοτήθηκε από τον αυτοματισμό",
@@ -346,7 +347,7 @@
"conversation_agent": "Πράκτορας συνομιλίας",
"none": "Κανένα",
"country": "Χώρα",
- "assistant": "Assist pipeline",
+ "assistant": "Assistant",
"preferred_assistant_preferred": "Προτιμώμενος βοηθός ({preferred})",
"last_used_assistant": "Τελευταία χρησιμοποιημένος βοηθός",
"no_theme": "Χωρίς θέμα",
@@ -568,12 +569,12 @@
"auto": "Αυτόματο",
"grid": "Πλέγμα",
"list": "Λίστα",
- "task_name": "Ονομα υποχρέωσης",
+ "task_name": "Ονομα εργασίας",
"description": "Περιγραφή",
- "add_item": "Προσθήκη υποχρεώσεων",
+ "add_item": "Προσθήκη στοιχείου",
"delete_item": "Διαγραφή στοιχείου",
- "edit_item": "Επεξεργασία υποχρέωσης",
- "save_item": "Αποθήκευση υποχρέωσης",
+ "edit_item": "Επεξεργασία στοιχείου",
+ "save_item": "Αποθήκευση στοιχείου",
"item_not_all_required_fields": "Δεν έχουν συμπληρωθεί όλα τα απαιτούμενα πεδία",
"confirm_delete_prompt": "Θέλετε να διαγράψετε αυτό το στοιχείο;",
"my_calendars": "Τα ημερολόγια μου",
@@ -610,7 +611,7 @@
"on": "Ενεργό",
"end_on": "Τέλος στο",
"end_after": "Τέλος Μετά",
- "occurrences": "occurrences",
+ "occurrences": "εμφανίσεις",
"every": "κάθε",
"years": "έτη",
"year": "Ετος",
@@ -638,7 +639,7 @@
"line_line_column_column": "γραμμή: {line}, στήλη: {column}",
"last_changed": "Τελευταία αλλαγή",
"last_updated": "Τελευταία ενημέρωση",
- "remaining_time": "Χρόνος που απομένει",
+ "time_left": "Χρόνος που απομένει",
"install_status": "Κατάσταση εγκατάστασης",
"safe_mode": "Ασφαλής λειτουργία",
"all_yaml_configuration": "Ολες οι καταχωρήσεις διαμόρφωσης YAML",
@@ -745,6 +746,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Δημιουργία αντιγράφου ασφαλείας πριν από την ενημέρωση",
"update_instructions": "Οδηγίες ενημέρωσης",
"current_activity": "Τρέχουσα δραστηριότητα",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Εντολές ηλεκτρικής σκούπας:",
"fan_speed": "Ταχύτητα ανεμιστήρα",
"clean_spot": "Καθάρισμα σημείου",
@@ -778,7 +780,7 @@
"default_code": "Προεπιλεγμένος κωδικός",
"editor_default_code_error": "Ο κωδικός δεν ταιριάζει με τη μορφή του κωδικού",
"entity_id": "ID οντότητας",
- "unit_of_measurement": "Μονάδα μέτρησης",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "Μονάδα υετού",
"display_precision": "Ακρίβεια οθόνης",
"default_value": "Προκαθορισμένο ({value})",
@@ -858,7 +860,7 @@
"restart_home_assistant": "Επανεκκίνηση του Home Assistant;",
"advanced_options": "Επιλογές για προχωρημένους",
"quick_reload": "Γρήγορη επαναφόρτωση",
- "reload_description": "Επαναφορτώνει όλα τα διαθέσιμα σενάρια.",
+ "reload_description": "Επαναφορτώνει τους χρονοδιακόπτες από τη διαμόρφωση YAML.",
"reloading_configuration": "Επαναφόρτωση διαμόρφωσης",
"failed_to_reload_configuration": "Αποτυχία επαναφόρτωσης της διαμόρφωσης",
"restart_description": "Διακόπτει όλους τους αυτοματισμούς και τα σενάρια που εκτελούνται.",
@@ -888,8 +890,8 @@
"password": "Κωδικός πρόσβασης",
"regex_pattern": "Μοτίβο Regex",
"used_for_client_side_validation": "Χρησιμοποιείται για επικύρωση από την πλευρά του πελάτη",
- "minimum_value": "Ελάχιστη τιμή",
- "maximum_value": "Μέγιστη τιμή",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Πεδίο εισαγωγής",
"slider": "Ρυθμιστικό",
"step_size": "Μέγεθος βήματος",
@@ -934,7 +936,7 @@
"ui_dialogs_zha_device_info_confirmations_remove": "Θέλετε σίγουρα να καταργήσετε τη συσκευή;",
"quirk": "Ιδιοτροπία",
"last_seen": "Τελευταία εμφάνιση",
- "power_source": "Πηγή ενέργειας",
+ "power_source": "Power source",
"change_device_name": "Αλλαγή ονόματος συσκευής",
"device_debug_info": "Πληροφορίες εντοπισμού σφαλμάτων στο {device}",
"mqtt_device_debug_info_deserialize": "Προσπάθεια ανάλυσης μηνυμάτων MQTT ως JSON",
@@ -1068,10 +1070,10 @@
"welcome_home": "Καλωσορίσατε στην αρχική σελίδα",
"empty_state_go_to_integrations_page": "Μεταβείτε στη σελίδα ενσωματώσεων.",
"never_triggered": "Δεν πυροδοτήθηκε ποτέ",
- "todo_list_no_unchecked_items": "Δεν υπάρχουν στοιχεία στις λίστες υποχρεώσεων!",
+ "todo_list_no_unchecked_items": "Δεν υπάρχουν στοιχεία στις λίστες εκκρεμοτήτων!",
"completed": "Ολοκληρωμένο",
"remove_completed_items": "Αφαίρεση ολοκληρωμένων στοιχείων;",
- "reorder_items": "Αναδιάταξη υποχρεώσεων",
+ "reorder_items": "Αναδιάταξη στοιχείων",
"exit_reorder_mode": "Εξοδος από τη λειτουργία αναδιάταξης",
"drag_and_drop": "Μεταφορά και απόθεση",
"hold": "Αναστολή:",
@@ -1207,7 +1209,7 @@
"ui_panel_lovelace_editor_edit_view_type_helper_sections": "Δεν μπορείτε να αλλάξετε την προβολή σας για να χρησιμοποιήσετε τον τύπο προβολής \"τμήματα\", επειδή η μετάβαση δεν υποστηρίζεται ακόμη. Ξεκινήστε από το μηδέν με μια νέα προβολή αν θέλετε να πειραματιστείτε με την προβολή 'τμήματα'.",
"card_configuration": "Διαμόρφωση κάρτας",
"type_card_configuration": "Διαμόρφωση κάρτας {type}",
- "edit_card_pick_card": "Ποια κάρτα θέλετε να προσθέσετε;",
+ "edit_card_pick_card": "Which card would you like to add?",
"toggle_editor": "Εναλλαγή επεξεργαστή",
"you_have_unsaved_changes": "Εχετε μη αποθηκευμένες αλλαγές",
"edit_card_confirm_cancel": "Θέλετε σίγουρα να ακυρώσετε τη διαδικασία;",
@@ -1404,8 +1406,14 @@
"plant_status": "Κατάσταση φυτών",
"sensor": "Αισθητήρας",
"show_more_detail": "Εμφάνιση περισσότερων λεπτομερειών",
- "to_do_list": "Λίστα υποχρεώσεων",
+ "to_do_list": "Λίστα εκκρεμοτήτων",
"hide_completed_items": "Απόκρυψη ολοκληρωμένων στοιχείων",
+ "ui_panel_lovelace_editor_card_todo_list_display_order": "Διάταξη εμφάνισης",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc": "Αλφαβητικά (Α-Ω)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_desc": "Αλφαβητικά (Ω-Α)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc": "Ημερομηνία λήξης (Πρώτα η συντομότερη)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc": "Ημερομηνία λήξης (Πρώτα η αργότερη)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_manual": "Χειροκίνητο",
"thermostat": "Θερμοστάτης",
"thermostat_show_current_as_primary": "Εμφάνιση της τρέχουσας θερμοκρασίας ως κύριας πληροφορίας",
"tile": "Πλακίδιο",
@@ -1516,138 +1524,118 @@
"now": "Τώρα",
"compare_data": "Σύγκριση δεδομένων",
"reload_ui": "Επαναφόρτωση διεπαφής χρήστη",
- "tag": "Tag",
- "input_datetime": "Εισαγωγή ημερομηνίας",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Χρονοδιακόπτης",
- "local_calendar": "Τοπικό Ημερολόγιο",
- "intent": "Intent",
- "device_tracker": "Εντοπιστής συσκευής",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Εισαγωγή λογικής πράξης",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "tag": "Tag",
+ "media_source": "Media Source",
+ "mobile_app": "Εφαρμογή για κινητά",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Διαγνωστικά",
+ "filesize": "Μέγεθος αρχείου",
+ "group": "Ομάδα",
+ "binary_sensor": "Δυαδικός αισθητήρας",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "device_automation": "Device Automation",
+ "person": "Ατομο",
+ "input_button": "Κουμπί εισαγωγής",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Καταγραφέας",
+ "script": "Σενάριο",
"fan": "Ανεμιστήρας",
- "weather": "Καιρός",
- "camera": "Κάμερα",
+ "scene": "Scene",
"schedule": "Πρόγραμμα",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Αυτοματισμός",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Καιρός",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Συνομιλία",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Εισαγωγή κειμένου",
- "valve": "Βαλβίδα",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Κλίμα",
- "binary_sensor": "Δυαδικός αισθητήρας",
- "broadlink": "Broadlink",
+ "assist_satellite": "Δορυφόρος υποβοήθησης",
+ "automation": "Αυτοματισμός",
+ "system_log": "System Log",
+ "cover": "Ρολό",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
+ "valve": "Βαλβίδα",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Ρολό",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Τοπικό Ημερολόγιο",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Σειρήνα",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Μηχανή του γκαζόν",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Ζώνη",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Εντοπιστής συσκευής",
+ "remote": "Τηλεχειριστήριο",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
+ "persistent_notification": "Μόνιμη ειδοποίηση",
+ "vacuum": "Σκούπα",
+ "reolink": "Reolink",
+ "camera": "Κάμερα",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Μόνιμη ειδοποίηση",
- "trace": "Trace",
- "remote": "Τηλεχειριστήριο",
- "tp_link_smart_home": "TP-Link Smart Home",
- "filesize": "Μέγεθος αρχείου",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Αριθμός εισόδου",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Ελεγχος τροφοδοτικού Raspberry Pi",
+ "conversation": "Συνομιλία",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Κλίμα",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Εισαγωγή λογικής πράξης",
- "lawn_mower": "Μηχανή του γκαζόν",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Ζώνη",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Πίνακας ελέγχου συναγερμού",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Εφαρμογή για κινητά",
+ "timer": "Χρονοδιακόπτης",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "input_datetime": "Εισαγωγή ημερομηνίας",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Διαπιστευτήρια εφαρμογής",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Ομάδα",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Διαγνωστικά",
- "person": "Ατομο",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Εισαγωγή κειμένου",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Αριθμός εισόδου",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Διαπιστευτήρια εφαρμογής",
- "siren": "Σειρήνα",
- "bluetooth": "Bluetooth",
- "logger": "Καταγραφέας",
- "input_button": "Κουμπί εισαγωγής",
- "vacuum": "Σκούπα",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Ελεγχος τροφοδοτικού Raspberry Pi",
- "assist_satellite": "Δορυφόρος υποβοήθησης",
- "script": "Σενάριο",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Επίπεδο μπαταρίας",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Χαμηλή στάθμη μπαταρίας",
"cloud_connection": "Σύνδεση στο cloud",
"humidity_warning": "Προειδοποίηση υγρασίας",
@@ -1676,6 +1664,7 @@
"alarm_source": "Πηγή συναγερμού",
"auto_off_at": "Αυτόματη απενεργοποίηση στις",
"available_firmware_version": "Διαθέσιμη έκδοση υλικολογισμικού",
+ "battery_level": "Επίπεδο μπαταρίας",
"this_month_s_consumption": "Κατανάλωση τρέχοντος μήνα",
"today_s_consumption": "Σημερινή κατανάλωση",
"total_consumption": "Συνολική κατανάλωση",
@@ -1701,30 +1690,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Ομαλές μεταβάσεις",
"tamper_detection": "Tamper detection",
- "next_dawn": "Επόμενη αυγή",
- "next_dusk": "Επόμενο σούρουπο",
- "next_midnight": "Επόμενα μεσάνυχτα",
- "next_noon": "Επόμενο μεσημέρι",
- "next_rising": "Επόμενη ανατολή",
- "next_setting": "Επόμενη δύση",
- "solar_azimuth": "Ηλιακό αζιμούθιο",
- "solar_elevation": "Υψος ηλίου",
- "solar_rising": "Ανατολή ηλίου",
- "day_of_week": "Ημέρα της εβδομάδας",
- "noise": "Θόρυβος",
- "overload": "Υπερφόρτωση",
- "working_location": "Τοποθεσία εργασίας",
- "created": "Created",
- "size": "Μέγεθος",
- "size_in_bytes": "Μέγεθος σε byte",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Βαθμονόμηση",
+ "auto_lock_paused": "Αυτόματο κλείδωμα σε παύση",
+ "timeout": "Χρονικό όριο",
+ "unclosed_alarm": "Συναγερμός που δεν έχει κλείσει",
+ "unlocked_alarm": "Ξεκλείδωτος συναγερμός",
+ "bluetooth_signal": "Σήμα Bluetooth",
+ "light_level": "Επίπεδο φωτός",
+ "wi_fi_signal": "Σήμα Wi-Fi",
+ "momentary": "Στιγμιαία",
+ "pull_retract": "Ανέβασμα/Κατέβασμα",
"process_process": "Διεργασία {process}",
"disk_free_mount_point": "Ελεύθερος χώρος στο δίσκο {mount_point}",
"disk_use_mount_point": "Χρήση δίσκου {mount_point}",
@@ -1743,33 +1718,74 @@
"swap_use": "Χρήση swap",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Βοηθός σε λειτουργία",
- "preferred": "Προτιμώμενο",
- "finished_speaking_detection": "Ευαισθησία σιωπής",
- "aggressive": "Επιθετικό",
- "relaxed": "Χαλαρό",
- "os_agent_version": "Έκδοση OS Agent",
- "apparmor_version": "Εκδοση Apparmor",
- "cpu_percent": "Ποσοστό CPU",
- "disk_free": "Δίσκος ελεύθερος",
- "disk_total": "Σύνολο δίσκου",
- "disk_used": "Χρησιμοποιημένος δίσκος",
- "memory_percent": "Ποσοστό μνήμης",
- "version": "Εκδοση",
- "newest_version": "Νεότερη έκδοση",
+ "day_of_week": "Ημέρα της εβδομάδας",
+ "noise": "Θόρυβος",
+ "overload": "Υπερφόρτωση",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Συγχρονισμός συσκευών",
- "estimated_distance": "Εκτιμώμενη απόσταση",
- "vendor": "Κατασκευαστής",
- "quiet": "Ησυχο",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
- "mic_volume": "Ενταση μικροφώνου",
- "noise_suppression_level": "Noise suppression level",
- "mute": "Mute",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Ενταση κουδουνιού πόρτας",
+ "mic_volume": "Mic volume",
+ "voice_volume": "Ενταση φωνής",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Κατηγορία σήματος Wi-Fi",
+ "wi_fi_signal_strength": "Ισχύς σήματος Wi-Fi",
+ "in_home_chime": "Κουδούνισμα στο σπίτι",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Διαχειριστής συσκευής",
+ "kiosk_mode": "Λειτουργία Kiosk",
+ "plugged_in": "Στην πρίζα",
+ "load_start_url": "Φόρτωση URL έναρξης",
+ "restart_browser": "Επανεκκίνηση του προγράμματος περιήγησης",
+ "restart_device": "Restart device",
+ "send_to_background": "Αποστολή στο παρασκήνιο",
+ "bring_to_foreground": "Μεταφορά στο προσκήνιο",
+ "screenshot": "Στιγμιότυπο οθόνης",
+ "overlay_message": "Μήνυμα επικάλυψης",
+ "screen_brightness": "Φωτεινότητα οθόνης",
+ "screen_off_timer": "Χρονοδιακόπτης απενεργοποίησης οθόνης",
+ "screensaver_brightness": "Φωτεινότητα προφύλαξης οθόνης",
+ "screensaver_timer": "Χρονοδιακόπτης προφύλαξης οθόνης",
+ "current_page": "Τρέχουσα σελίδα",
+ "foreground_app": "Εφαρμογή στο προσκήνιο",
+ "internal_storage_free_space": "Ελεύθερος εσωτερικός χώρος αποθήκευσης",
+ "internal_storage_total_space": "Συνολικός εσωτερικός χώρος αποθήκευσης",
+ "total_memory": "Συνολική μνήμη",
+ "screen_orientation": "Προσανατολισμός οθόνης",
+ "kiosk_lock": "Κλείδωμα Kiosk",
+ "maintenance_mode": "Λειτουργία συντήρησης",
+ "screensaver": "Προφύλαξη οθόνης",
"animal": "Animal",
"detected": "Εντοπίστηκε",
"animal_lens": "Animal lens 1",
@@ -1839,7 +1855,7 @@
"image_saturation": "Image saturation",
"image_sharpness": "Image sharpness",
"message_volume": "Ένταση μηνυμάτων",
- "motion_sensitivity": "Ευαισθησία κίνησης",
+ "motion_sensitivity": "Motion sensitivity",
"pir_sensitivity": "Ευαισθησία PIR",
"zoom": "Μεγέθυνση",
"auto_quick_reply_message": "Αυτόματο μήνυμα γρήγορης απάντησης",
@@ -1891,7 +1907,6 @@
"ptz_pan_position": "Θέση PTZ pan",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "Αποθηκευτικός χώρος κάρτα SD {hdd_index}",
- "wi_fi_signal": "Σήμα Wi-Fi",
"auto_focus": "Αυτόματη εστίαση",
"auto_tracking": "Αυτόματη παρακολούθηση",
"doorbell_button_sound": "Ηχος κουμπιού κουδουνιού πόρτας",
@@ -1908,6 +1923,49 @@
"write": "Εγγραφή",
"record_audio": "Καταγραφή ήχου",
"siren_on_event": "Σειρήνα σε συμβάν",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Μέγεθος",
+ "size_in_bytes": "Μέγεθος σε byte",
+ "assist_in_progress": "Βοηθός σε λειτουργία",
+ "quiet": "Ησυχο",
+ "preferred": "Προτιμώμενο",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Επιθετικό",
+ "relaxed": "Χαλαρό",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "Έκδοση OS Agent",
+ "apparmor_version": "Εκδοση Apparmor",
+ "cpu_percent": "Ποσοστό CPU",
+ "disk_free": "Δίσκος ελεύθερος",
+ "disk_total": "Σύνολο δίσκου",
+ "disk_used": "Χρησιμοποιημένος δίσκος",
+ "memory_percent": "Ποσοστό μνήμης",
+ "version": "Εκδοση",
+ "newest_version": "Νεότερη έκδοση",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes που ελήφθησαν",
+ "server_country": "Χώρα διακομιστή",
+ "server_id": "Αναγνωριστικό διακομιστή",
+ "server_name": "Ονομα διακομιστή",
+ "ping": "Ping",
+ "upload": "Ανέβασμα",
+ "bytes_sent": "Απεσταλμένα bytes",
+ "working_location": "Τοποθεσία εργασίας",
+ "next_dawn": "Επόμενη αυγή",
+ "next_dusk": "Επόμενο σούρουπο",
+ "next_midnight": "Επόμενα μεσάνυχτα",
+ "next_noon": "Επόμενο μεσημέρι",
+ "next_rising": "Επόμενη ανατολή",
+ "next_setting": "Επόμενη δύση",
+ "solar_azimuth": "Ηλιακό αζιμούθιο",
+ "solar_elevation": "Υψος ηλίου",
+ "solar_rising": "Ανατολή ηλίου",
"heavy": "Βαρύ",
"mild": "Ήπια",
"button_down": "Κουμπί κάτω",
@@ -1923,72 +1981,253 @@
"warm_up": "Προθέρμανση",
"not_completed": "Μη ολοκληρωμένο",
"pending": "Εκκρεμεί",
- "closing": "Κλείνει",
+ "closing": "Closing",
"failure": "Αποτυχία",
"opened": "Ανοιξε",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Ενταση κουδουνιού πόρτας",
- "voice_volume": "Ενταση φωνής",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Κατηγορία σήματος Wi-Fi",
- "wi_fi_signal_strength": "Ισχύς σήματος Wi-Fi",
- "in_home_chime": "Κουδούνισμα στο σπίτι",
- "calibration": "Βαθμονόμηση",
- "auto_lock_paused": "Αυτόματο κλείδωμα σε παύση",
- "timeout": "Χρονικό όριο",
- "unclosed_alarm": "Συναγερμός που δεν έχει κλείσει",
- "unlocked_alarm": "Ξεκλείδωτος συναγερμός",
- "bluetooth_signal": "Σήμα Bluetooth",
- "light_level": "Επίπεδο φωτός",
- "momentary": "Στιγμιαία",
- "pull_retract": "Ανέβασμα/Κατέβασμα",
- "bytes_received": "Bytes που ελήφθησαν",
- "server_country": "Χώρα διακομιστή",
- "server_id": "Αναγνωριστικό διακομιστή",
- "server_name": "Ονομα διακομιστή",
- "ping": "Ping",
- "upload": "Ανέβασμα",
- "bytes_sent": "Απεσταλμένα bytes",
- "device_admin": "Διαχειριστής συσκευής",
- "kiosk_mode": "Λειτουργία Kiosk",
- "plugged_in": "Στην πρίζα",
- "load_start_url": "Φόρτωση URL έναρξης",
- "restart_browser": "Επανεκκίνηση του προγράμματος περιήγησης",
- "restart_device": "Επανεκκίνηση συσκευής",
- "send_to_background": "Αποστολή στο παρασκήνιο",
- "bring_to_foreground": "Μεταφορά στο προσκήνιο",
- "screenshot": "Στιγμιότυπο οθόνης",
- "overlay_message": "Μήνυμα επικάλυψης",
- "screen_brightness": "Φωτεινότητα οθόνης",
- "screen_off_timer": "Χρονοδιακόπτης απενεργοποίησης οθόνης",
- "screensaver_brightness": "Φωτεινότητα προφύλαξης οθόνης",
- "screensaver_timer": "Χρονοδιακόπτης προφύλαξης οθόνης",
- "current_page": "Τρέχουσα σελίδα",
- "foreground_app": "Εφαρμογή στο προσκήνιο",
- "internal_storage_free_space": "Ελεύθερος εσωτερικός χώρος αποθήκευσης",
- "internal_storage_total_space": "Συνολικός εσωτερικός χώρος αποθήκευσης",
- "total_memory": "Συνολική μνήμη",
- "screen_orientation": "Προσανατολισμός οθόνης",
- "kiosk_lock": "Κλείδωμα Kiosk",
- "maintenance_mode": "Λειτουργία συντήρησης",
- "screensaver": "Προφύλαξη οθόνης",
- "last_scanned_by_device_id_name": "Τελευταία σάρωση με ID συσκευής",
- "tag_id": "Tag ID",
- "managed_via_ui": "Διαχείριση μέσω διεπαφής χρήστη (UI)",
- "pattern": "Μοτίβο",
- "minute": "Λεπτό",
- "second": "Δευτερόλεπτο",
- "timestamp": "Χρονική σήμανση",
- "stopped": "Σταμάτησε",
+ "estimated_distance": "Εκτιμώμενη απόσταση",
+ "vendor": "Κατασκευαστής",
+ "accelerometer": "Επιταχυνσιόμετρο",
+ "binary_input": "Δυαδική είσοδος",
+ "calibrated": "Βαθμονομημένο",
+ "consumer_connected": "Συνδεδεμένος καταναλωτής",
+ "external_sensor": "Εξωτερικός αισθητήρας",
+ "frost_lock": "Κλείδωμα παγετού",
+ "opened_by_hand": "Ανοιξε με το χέρι",
+ "heat_required": "Απαιτούμενη θερμότητα",
+ "ias_zone": "Ζώνη IAS",
+ "linkage_alarm_state": "Κατάσταση συναγερμού σύνδεσης",
+ "mounting_mode_active": "Η λειτουργία τοποθέτησης είναι ενεργή",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Κατάσταση προθέρμανσης",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Συναγερμός βαλβίδας",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Εξαερισμός Keen",
+ "fan_group": "Ομάδα ανεμιστήρων",
+ "light_group": "Ομάδα φώτων",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Χρονοδιακόπτης αυτόματης απενεργοποίησης διακόπτη",
+ "away_preset_temperature": "Προκαθορισμένη θερμοκρασία για λειτουργία Εκτός σπιτιού",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Ωρα έναρξης της άσκησης",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "Εξωτερικός αισθητήρας θερμοκρασίας",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Μέσος όρος χώρου φόρτωσης",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Μετατόπιση σημείου ρύθμισης",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Διάρκεια χρονοδιακόπτη",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Εντολή εκτέλεσης προσαρμογής",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Ημέρα της εβδομάδας για άσκηση",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Λειτουργία εξασθένισης",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Χρόνος απόκρισης σημείου ρύθμισης",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Προσανατολισμός βαλβίδας",
+ "viewing_direction": "Κατεύθυνση προβολής",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Λειτουργία κουρτίνας",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Κατάσταση εκτέλεσης προσαρμογής",
+ "in_progress": "Σε εξέλιξη",
+ "run_successful": "Η εκτέλεση ήταν επιτυχής",
+ "valve_characteristic_lost": "Χάθηκε το χαρακτηριστικό της βαλβίδας",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Εσωτερική θερμοκρασία",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Εκτίμηση φορτίου",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Εντοπίστηκε ανοιχτό παράθυρο",
+ "overheat_protection": "Προστασία από υπερθέρμανση",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Χρόνος προθέρμανσης",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Σφάλμα λογισμικού",
+ "good": "Καλή",
+ "critical_low_battery": "Κρίσιμα χαμηλή μπαταρία",
+ "encoder_jammed": "Ο κωδικοποιητής έχει μπλοκαριστεί",
+ "invalid_clock_information": "Μη έγκυρες πληροφορίες ρολογιού",
+ "invalid_internal_communication": "Μη έγκυρη εσωτερική επικοινωνία",
+ "low_battery": "Χαμηλή μπαταρία",
+ "motor_error": "Σφάλμα κινητήρα",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Αγνωστο σφάλμα HW",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Τύπος ρολών παραθύρων",
+ "adaptation_run_enabled": "Η εκτέλεση προσαρμογής ενεργοποιήθηκε",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Χειροκίνητος συναγερμός βομβητή (buzzer)",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Απενεργοποιήστε τη διαμόρφωση διπλού πατήματος για διαγραφή ειδοποιήσεων",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Ενεργοποιήθηκε το διπλό πάτημα",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "Εξωτερικός αισθητήρας παραθύρου",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "LED προόδου υλικολογισμικού",
+ "heartbeat_indicator": "Ένδειξη καρδιακών παλμών",
+ "heat_available": "Διαθέσιμη θερμότητα",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Αντιστροφή διακόπτη",
+ "inverted": "Inverted",
+ "led_indicator": "Ένδειξη LED",
+ "linkage_alarm": "Συναγερμός σύνδεσης",
+ "local_protection": "Τοπική προστασία",
+ "mounting_mode": "Λειτουργία τοποθέτησης",
+ "only_led_mode": "Μόνο 1 λειτουργία LED",
+ "open_window": "Open window",
+ "power_outage_memory": "Μνήμη διακοπής ρεύματος",
+ "prioritize_external_temperature_sensor": "Προτεραιότητα εξωτερικού αισθητήρα θερμοκρασίας",
+ "relay_click_in_on_off_mode_name": "Απενεργοποίηση κλικ ρελέ σε λειτουργία on off",
+ "smart_bulb_mode": "Λειτουργία έξυπνου λαμπτήρα",
+ "smart_fan_mode": "Εξυπνη λειτουργία ανεμιστήρα",
+ "led_trigger_indicator": "Ενδειξη πυροδότησης LED",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Χρήση εσωτερικής ανίχνευσης παραθύρου",
+ "use_load_balancing": "Χρήση εξισορρόπησης φορτίου",
+ "valve_detection": "Ανίχνευση βαλβίδας",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Διαθέσιμοι ήχοι",
"device_trackers": "Ιχνηλάτες συσκευών",
"gps_accuracy": "Ακρίβεια GPS",
- "paused": "Σε παύση",
- "finishes_at": "Τελειώνει σε",
- "remaining": "Υπόλοιπο",
"last_reset": "Τελευταία επαναφορά",
"possible_states": "Πιθανές καταστάσεις",
"state_class": "Κλάση κατάστασης",
@@ -2021,79 +2260,12 @@
"sound_pressure": "Ηχητική πίεση",
"speed": "Ταχύτητα",
"sulphur_dioxide": "Διοξείδιο του θείου",
+ "timestamp": "Χρονική σήμανση",
"vocs": "VOCs",
"volume_flow_rate": "Ρυθμός όγκου ροής",
"stored_volume": "Αποθηκευμένος όγκος",
"weight": "Βάρος",
- "cool": "Ψύξη",
- "fan_only": "Μόνο ανεμιστήρας",
- "heat_cool": "Θέρμανση/ψύξη",
- "aux_heat": "Βοηθητική θέρμανση",
- "current_humidity": "Τρέχουσα υγρασία",
- "current_temperature": "Current Temperature",
- "fan_mode": "Λειτουργία ανεμιστήρα",
- "diffuse": "Διάχυση",
- "middle": "Μέση",
- "top": "Πάνω",
- "current_action": "Τρέχουσα ενέργεια",
- "defrosting": "Απόψυξη",
- "drying": "Αφύγρανση",
- "max_target_humidity": "Μέγιστη επιθυμητή υγρασία",
- "max_target_temperature": "Μέγιστη επιθυμητή θερμοκρασία",
- "min_target_humidity": "Ελάχιστη επιθυμητή υγρασία",
- "min_target_temperature": "Ελάχιστη επιθυμητή θερμοκρασία",
- "boost": "Ενίσχυση",
- "comfort": "Ανεση",
- "eco": "Eco",
- "sleep": "Υπνος",
- "presets": "Προρυθμίσεις",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Λειτουργία ταλάντευσης",
- "both": "Και τα δύο",
- "horizontal": "Οριζόντια",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Βήμα επιθυμητής θερμοκρασίας",
- "step": "Βήμα",
- "not_charging": "Δε φορτίζει",
- "disconnected": "Αποσυνδεδεμένο",
- "connected": "Συνδεδεμένο",
- "no_light": "Χωρίς φως",
- "light_detected": "Ανιχνεύτηκε φως",
- "locked": "Κλειδωμένη",
- "unlocked": "Ξεκλείδωτη",
- "not_moving": "Δεν κινείται",
- "unplugged": "Αποσυνδέθηκε",
- "not_running": "Δεν εκτελείται",
- "safe": "Ασφαλές",
- "unsafe": "Μη ασφαλές",
- "tampering_detected": "Εντοπίστηκε παραβίαση",
- "box": "Κουτί",
- "above_horizon": "Πάνω από τον ορίζοντα",
- "below_horizon": "Κάτω από τον ορίζοντα",
- "buffering": "Προσωρινή αποθήκευση",
- "playing": "Παίζει",
- "standby": "Αναμονή",
- "app_id": "Αναγνωριστικό εφαρμογής",
- "local_accessible_entity_picture": "Εικόνα τοπικής προσβάσιμης οντότητας",
- "group_members": "Μέλη ομάδας",
- "muted": "Σε σίγαση",
- "album_artist": "Καλλιτέχνης άλμπουμ",
- "content_id": "ID περιεχομένου",
- "content_type": "Τύπος περιεχομένου",
- "channels": "Κανάλια",
- "position_updated": "Η θέση ενημερώθηκε",
- "series": "Σειρά",
- "all": "Ολα",
- "one": "Μια φορά",
- "available_sound_modes": "Διαθέσιμες λειτουργίες ήχου",
- "available_sources": "Διαθέσιμες πηγές",
- "receiver": "Δέκτης",
- "speaker": "Ηχείο",
- "tv": "Τηλεόραση",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Ρούτερ",
+ "managed_via_ui": "Διαχείριση μέσω διεπαφής χρήστη (UI)",
"color_mode": "Color Mode",
"brightness_only": "Μόνο φωτεινότητα",
"hs": "HS",
@@ -2109,13 +2281,34 @@
"minimum_color_temperature_kelvin": "Ελάχιστη θερμοκρασία χρώματος (Kelvin)",
"minimum_color_temperature_mireds": "Ελάχιστη θερμοκρασία χρώματος (mireds)",
"available_color_modes": "Διαθέσιμες λειτουργίες χρώματος",
- "available_tones": "Διαθέσιμοι ήχοι",
"docked": "Στη βάση",
"mowing": "Κούρεμα",
+ "paused": "Σε παύση",
"returning": "Επιστροφή",
+ "pattern": "Μοτίβο",
+ "running_automations": "Εκτέλεση αυτοματισμών",
+ "max_running_scripts": "Μέγιστος αριθμός σεναρίων που εκτελούνται",
+ "run_mode": "Εκτέλεση λειτουργίας",
+ "parallel": "Παράλληλα",
+ "queued": "Στην ουρά",
+ "one": "Μια φορά",
+ "auto_update": "Αυτόματη ενημέρωση",
+ "installed_version": "Εγκατεστημένη έκδοση",
+ "latest_version": "Τελευταία έκδοση",
+ "release_summary": "Περίληψη έκδοσης",
+ "release_url": "URL έκδοσης",
+ "skipped_version": "Εκδοση που παραλείφθηκε",
+ "firmware": "Firmware",
"oscillating": "Κινούμενο",
"speed_step": "Βήμα ταχύτητας",
"available_preset_modes": "Διαθέσιμοι προκαθορισμένοι τρόποι λειτουργίας",
+ "minute": "Λεπτό",
+ "second": "Δευτερόλεπτο",
+ "next_event": "Επόμενο συμβάν",
+ "step": "Βήμα",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Ρούτερ",
"clear_night": "Ξαστεριά, νύχτα",
"cloudy": "Νεφελώδης",
"exceptional": "Εξαιρετικός",
@@ -2138,23 +2331,8 @@
"uv_index": "Δείκτης UV",
"wind_bearing": "Ρουλεμάν ανέμου",
"wind_gust_speed": "Ταχύτητα ριπής ανέμου",
- "auto_update": "Αυτόματη ενημέρωση",
- "in_progress": "Σε εξέλιξη",
- "installed_version": "Εγκατεστημένη έκδοση",
- "latest_version": "Τελευταία έκδοση",
- "release_summary": "Περίληψη έκδοσης",
- "release_url": "URL έκδοσης",
- "skipped_version": "Εκδοση που παραλείφθηκε",
- "firmware": "Firmware",
- "armed_custom_bypass": "Προσαρμοσμένη παράκαμψη οπλισμένου συναγερμού",
- "armed_home": "Οπλισμένο σπίτι",
- "armed_night": "Οπλισμός νύχτας",
- "triggered": "Ενεργοποιήθηκε",
- "changed_by": "Αλλαξε από",
- "code_for_arming": "Κωδικός για οπλισμό",
- "not_required": "Δεν απαιτείται",
- "code_format": "Μορφή κωδικού",
"identify": "Identify",
+ "cleaning": "Καθαρίζει",
"recording": "Καταγραφή",
"access_token": "Token πρόσβασης",
"brand": "Μάρκα",
@@ -2162,94 +2340,135 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Μοντέλο",
- "end_time": "Ωρα λήξης",
- "start_time": "Ωρα έναρξης",
- "next_event": "Επόμενο συμβάν",
- "garage": "Γκαράζ",
- "event_type": "Event type",
- "event_types": "Event types",
- "doorbell": "Κουδούνι πόρτας",
- "running_automations": "Εκτέλεση αυτοματισμών",
- "id": "ID",
- "max_running_automations": "Μέγιστος αριθμός αυτοματισμών που εκτελούνται",
- "run_mode": "Εκτέλεση λειτουργίας",
- "parallel": "Παράλληλα",
- "queued": "Στην ουρά",
- "cleaning": "Καθαρίζει",
- "listening": "Ακρόαση",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Μέγιστος αριθμός σεναρίων που εκτελούνται",
+ "last_scanned_by_device_id_name": "Τελευταία σάρωση με ID συσκευής",
+ "tag_id": "Tag ID",
+ "box": "Κουτί",
"jammed": "Μπλοκαρισμένο",
+ "locked": "Κλειδωμένη",
"locking": "Κλειδώνει",
+ "unlocked": "Ξεκλείδωτη",
"unlocking": "Ξεκλειδώνει",
+ "changed_by": "Αλλαξε από",
+ "code_format": "Μορφή κωδικού",
"members": "Μέλη",
- "known_hosts": "Γνωστοί κεντρικοί διακομιστές",
- "google_cast_configuration": "Διαμόρφωση Google Cast",
- "confirm_description": "Θέλετε να ρυθμίσετε το {name};",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Ο λογαριασμός έχει ήδη διαμορφωθεί",
- "abort_already_in_progress": "Η ροή διαμόρφωσης βρίσκεται ήδη σε εξέλιξη",
- "failed_to_connect": "Αποτυχία σύνδεσης",
- "invalid_access_token": "Μη έγκυρο token πρόσβασης",
- "invalid_authentication": "Μη έγκυρος έλεγχος ταυτότητας",
- "received_invalid_token_data": "Λήφθηκαν μη έγκυρα δεδομένα token.",
- "abort_oauth_failed": "Σφάλμα κατά τη λήψη του token πρόσβασης.",
- "timeout_resolving_oauth_token": "Χρονικό όριο επίλυσης του OAuth token.",
- "abort_oauth_unauthorized": "Σφάλμα εξουσιοδότησης OAuth κατά τη λήψη του token πρόσβασης.",
- "re_authentication_was_successful": "Ο εκ νέου έλεγχος ταυτότητας ήταν επιτυχής",
- "unexpected_error": "Μη αναμενόμενο σφάλμα",
- "successfully_authenticated": "Επιτυχής έλεγχος ταυτότητας",
- "link_fitbit": "Σύνδεση Fitbit",
- "pick_authentication_method": "Επιλογή μεθόδου ελέγχου ταυτότητας",
- "authentication_expired_for_name": "Ο έλεγχος ταυτότητας για το {name} έληξε",
+ "listening": "Ακρόαση",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Μέγιστος αριθμός αυτοματισμών που εκτελούνται",
+ "cool": "Ψύξη",
+ "fan_only": "Μόνο ανεμιστήρας",
+ "heat_cool": "Θέρμανση/ψύξη",
+ "aux_heat": "Βοηθητική θέρμανση",
+ "current_humidity": "Τρέχουσα υγρασία",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Λειτουργία ανεμιστήρα",
+ "diffuse": "Διάχυση",
+ "middle": "Μέση",
+ "top": "Πάνω",
+ "current_action": "Τρέχουσα ενέργεια",
+ "defrosting": "Απόψυξη",
+ "drying": "Αφύγρανση",
+ "max_target_humidity": "Μέγιστη επιθυμητή υγρασία",
+ "max_target_temperature": "Μέγιστη επιθυμητή θερμοκρασία",
+ "min_target_humidity": "Ελάχιστη επιθυμητή υγρασία",
+ "min_target_temperature": "Ελάχιστη επιθυμητή θερμοκρασία",
+ "boost": "Ενίσχυση",
+ "comfort": "Ανεση",
+ "eco": "Eco",
+ "sleep": "Υπνος",
+ "presets": "Προρυθμίσεις",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Λειτουργία ταλάντευσης",
+ "both": "Και τα δύο",
+ "horizontal": "Οριζόντια",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Βήμα επιθυμητής θερμοκρασίας",
+ "stopped": "Stopped",
+ "garage": "Γκαράζ",
+ "not_charging": "Δε φορτίζει",
+ "disconnected": "Αποσυνδεδεμένο",
+ "connected": "Συνδεδεμένο",
+ "no_light": "Χωρίς φως",
+ "light_detected": "Ανιχνεύτηκε φως",
+ "not_moving": "Δεν κινείται",
+ "unplugged": "Αποσυνδέθηκε",
+ "not_running": "Δεν εκτελείται",
+ "safe": "Ασφαλές",
+ "unsafe": "Μη ασφαλές",
+ "tampering_detected": "Εντοπίστηκε παραβίαση",
+ "buffering": "Προσωρινή αποθήκευση",
+ "playing": "Παίζει",
+ "standby": "Αναμονή",
+ "app_id": "Αναγνωριστικό εφαρμογής",
+ "local_accessible_entity_picture": "Εικόνα τοπικής προσβάσιμης οντότητας",
+ "group_members": "Μέλη ομάδας",
+ "muted": "Σε σίγαση",
+ "album_artist": "Καλλιτέχνης άλμπουμ",
+ "content_id": "ID περιεχομένου",
+ "content_type": "Τύπος περιεχομένου",
+ "channels": "Κανάλια",
+ "position_updated": "Η θέση ενημερώθηκε",
+ "series": "Σειρά",
+ "all": "Ολα",
+ "available_sound_modes": "Διαθέσιμες λειτουργίες ήχου",
+ "available_sources": "Διαθέσιμες πηγές",
+ "receiver": "Δέκτης",
+ "speaker": "Ηχείο",
+ "tv": "Τηλεόραση",
+ "end_time": "Ωρα λήξης",
+ "start_time": "Ώρα έναρξης",
+ "event_type": "Event type",
+ "event_types": "Event types",
+ "doorbell": "Κουδούνι πόρτας",
+ "above_horizon": "Πάνω από τον ορίζοντα",
+ "below_horizon": "Κάτω από τον ορίζοντα",
+ "armed_custom_bypass": "Προσαρμοσμένη παράκαμψη οπλισμένου συναγερμού",
+ "armed_home": "Οπλισμένο σπίτι",
+ "armed_night": "Οπλισμός νύχτας",
+ "triggered": "Ενεργοποιήθηκε",
+ "code_for_arming": "Κωδικός για οπλισμό",
+ "not_required": "Δεν απαιτείται",
+ "finishes_at": "Τελειώνει σε",
+ "remaining": "Υπόλοιπο",
"device_is_already_configured": "Η συσκευή έχει ήδη διαμορφωθεί",
+ "failed_to_connect": "Αποτυχία σύνδεσης",
"abort_no_devices_found": "Δεν βρέθηκαν συσκευές στο δίκτυο",
+ "re_authentication_was_successful": "Ο εκ νέου έλεγχος ταυτότητας ήταν επιτυχής",
"re_configuration_was_successful": "Η εκ νέου διαμόρφωση ήταν επιτυχής",
"connection_error_error": "Σφάλμα σύνδεσης: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
"camera_stream_authentication_failed": "Camera stream authentication failed",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "Enable camera live view",
- "username": "Ονομα χρήστη",
+ "username": "Username",
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Ταυτοποίηση",
+ "authentication_expired_for_name": "Ο έλεγχος ταυτότητας για το {name} έληξε",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Εχει ήδη ρυθμιστεί. Μόνο μία διαμόρφωση είναι δυνατή.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Θέλετε να ξεκινήσετε τη ρύθμιση;",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Σφάλμα κατά την επικοινωνία με το SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Μη υποστηριζόμενος τύπος Switchbot.",
+ "unexpected_error": "Μη αναμενόμενο σφάλμα",
+ "authentication_failed_error_detail": "Η ταυτοποίηση απέτυχε: {error_detail}",
+ "error_encryption_key_invalid": "Το key id ή το κλειδί κρυπτογράφησης δεν είναι έγκυρο",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Θέλετε να ρυθμίσετε το {name};",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Κλειδί κρυπτογράφησης",
+ "key_id": "Key ID",
+ "password_description": "Κωδικός πρόσβασης για προστασία του αντιγράφου ασφαλείας.",
+ "mac_address": "Διεύθυνση MAC",
"service_is_already_configured": "Η υπηρεσία έχει ήδη διαμορφωθεί",
- "invalid_ics_file": "Μη έγκυρο αρχείο .ics",
- "calendar_name": "Ονομα ημερολογίου",
- "starting_data": "Εναρξη δεδομένων",
+ "abort_already_in_progress": "Η ροή διαμόρφωσης βρίσκεται ήδη σε εξέλιξη",
"abort_invalid_host": "Μη έγκυρο όνομα κεντρικού υπολογιστή ή διεύθυνση IP",
"device_not_supported": "Η συσκευή δεν υποστηρίζεται",
+ "invalid_authentication": "Μη έγκυρος έλεγχος ταυτότητας",
"name_model_at_host": "{name} ( {model} στο {host} )",
"authenticate_to_the_device": "Ελεγχος ταυτότητας στη συσκευή",
"finish_title": "Επιλέξτε ένα όνομα για τη συσκευή",
@@ -2257,22 +2476,143 @@
"yes_do_it": "Ναι, κάντο.",
"unlock_the_device_optional": "Ξεκλείδωμα της συσκευής (προαιρετικό)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "Η ενσωμάτωση απαιτεί διαπιστευτήρια εφαρμογής.",
- "timeout_establishing_connection": "Χρονικό όριο δημιουργίας σύνδεσης",
- "link_google_account": "Σύνδεση λογαριασμού Google",
- "path_is_not_allowed": "Η διαδρομή δεν επιτρέπεται",
- "path_is_not_valid": "Η διαδρομή δεν είναι έγκυρη",
- "path_to_file": "Διαδρομή προς το αρχείο",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Ο λογαριασμός έχει ήδη διαμορφωθεί",
+ "invalid_access_token": "Μη έγκυρο token πρόσβασης",
+ "received_invalid_token_data": "Λήφθηκαν μη έγκυρα δεδομένα token.",
+ "abort_oauth_failed": "Σφάλμα κατά τη λήψη του token πρόσβασης.",
+ "timeout_resolving_oauth_token": "Χρονικό όριο επίλυσης του OAuth token.",
+ "abort_oauth_unauthorized": "Σφάλμα εξουσιοδότησης OAuth κατά τη λήψη του token πρόσβασης.",
+ "successfully_authenticated": "Επιτυχής έλεγχος ταυτότητας",
+ "link_fitbit": "Σύνδεση Fitbit",
+ "pick_authentication_method": "Επιλογή μεθόδου ελέγχου ταυτότητας",
+ "two_factor_code": "Κωδικός δύο παραγόντων",
+ "two_factor_authentication": "Ελεγχος ταυτότητας δύο παραγόντων",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Σύνδεση με λογαριασμό Ring",
+ "abort_alternative_integration": "Η συσκευή υποστηρίζεται καλύτερα από άλλη ενσωμάτωση",
+ "abort_incomplete_config": "Από τη διαμόρφωση λείπει μια απαιτούμενη μεταβλητή",
+ "manual_description": "URL σε ένα αρχείο XML περιγραφής συσκευής",
+ "manual_title": "Χειροκίνητη σύνδεση συσκευής DLNA DMR",
+ "discovered_dlna_dmr_devices": "Ανακαλύφθηκαν συσκευές DLNA DMR",
+ "broadcast_address": "Διεύθυνση εκπομπής",
+ "broadcast_port": "Θύρα εκπομπής",
+ "abort_addon_info_failed": "Αποτυχία λήψης πληροφοριών για το πρόσθετο {addon}.",
+ "abort_addon_install_failed": "Αποτυχία εγκατάστασης του πρόσθετου {addon}.",
+ "abort_addon_start_failed": "Αποτυχία εκκίνησης του πρόσθετου {addon}.",
+ "invalid_birth_topic": "Μη έγκυρο θέμα γέννησης",
+ "error_bad_certificate": "Το πιστοποιητικό CA δεν είναι έγκυρο",
+ "invalid_discovery_prefix": "Μη έγκυρο πρόθεμα εύρεσης",
+ "invalid_will_topic": "Μη έγκυρο θέμα",
+ "broker": "Μεσίτης",
+ "data_certificate": "Ανέβασμα προσαρμοσμένου αρχείου πιστοποιητικού CA",
+ "upload_client_certificate_file": "Ανέβασμα αρχείου πιστοποιητικού πελάτη",
+ "upload_private_key_file": "Μεταφόρτωση αρχείου ιδιωτικού κλειδιού",
+ "data_keepalive": "Ο χρόνος μεταξύ της αποστολής διατηρεί ζωντανά τα μηνύματα",
+ "port": "Θύρα",
+ "mqtt_protocol": "Πρωτόκολλο MQTT",
+ "broker_certificate_validation": "Επικύρωση πιστοποιητικού μεσίτη",
+ "use_a_client_certificate": "Χρήση πιστοποιητικού πελάτη",
+ "ignore_broker_certificate_validation": "Παράβλεψη επικύρωσης πιστοποιητικού μεσίτη",
+ "mqtt_transport": "Μεταφορά MQTT",
+ "data_ws_headers": "Κεφαλίδες WebSocket σε μορφή JSON",
+ "websocket_path": "Διαδρομή WebSocket",
+ "hassio_confirm_title": "deCONZ Zigbee gateway μέσω του πρόσθετου Home Assistant",
+ "installing_add_on": "Εγκατάσταση πρόσθετου",
+ "reauth_confirm_title": "Re-authentication required with the MQTT broker",
+ "starting_add_on": "Εκκίνηση πρόσθετου",
+ "menu_options_addon": "Χρήση του επίσημου πρόσθετου {addon}",
+ "menu_options_broker": "Εισάγετε χειροκίνητα τα στοιχεία σύνδεσης του MQTT broker",
"api_key": "Κλειδί API",
"configure_daikin_ac": "Διαμόρφωση Daikin AC",
+ "cannot_connect_details_error_detail": "Δεν είναι δυνατή η σύνδεση. Λεπτομέρειες: {error_detail}",
+ "unknown_details_error_detail": "Αγνωστο. Λεπτομέρειες: {error_detail}",
+ "uses_an_ssl_certificate": "Χρησιμοποιεί ένα πιστοποιητικό SSL",
+ "verify_ssl_certificate": "Επαλήθευση πιστοποιητικού SSL",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Προσαρμογέας",
+ "multiple_adapters_description": "Επιλέξτε έναν προσαρμογέα Bluetooth για ρύθμιση",
+ "api_error_occurred": "Παρουσιάστηκε σφάλμα API",
+ "hostname_ip_address": "{hostname} ({ip_address})",
+ "enable_https": "Ενεργοποίηση HTTPS",
"hacs_is_not_setup": "HACS is not setup.",
"reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
"waiting_for_device_activation": "Waiting for device activation",
"reauthentication_needed": "Reauthentication needed",
"reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Προσαρμογέας",
- "multiple_adapters_description": "Επιλέξτε έναν προσαρμογέα Bluetooth για ρύθμιση",
+ "meteorologisk_institutt": "Meteorologisk institutt",
+ "timeout_establishing_connection": "Χρονικό όριο δημιουργίας σύνδεσης",
+ "link_google_account": "Σύνδεση λογαριασμού Google",
+ "path_is_not_allowed": "Η διαδρομή δεν επιτρέπεται",
+ "path_is_not_valid": "Η διαδρομή δεν είναι έγκυρη",
+ "path_to_file": "Διαδρομή προς το αρχείο",
+ "pin_code": "Κωδικός PIN",
+ "discovered_android_tv": "Ανακαλύφθηκε Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "all_entities": "Όλες οι οντότητες",
+ "hide_members": "Απόκρυψη μελών",
+ "create_group": "Create Group",
+ "device_class": "Device Class",
+ "ignore_non_numeric": "Παράβλεψη μη αριθμητικών",
+ "data_round_digits": "Στρογγυλοποιήστε την τιμή στον αριθμό των δεκαδικών",
+ "type": "Τύπος",
+ "binary_sensor_group": "Ομάδα δυαδικών αισθητήρων",
+ "button_group": "Ομάδα κουμπιών",
+ "cover_group": "Ομάδα ρολών",
+ "event_group": "Ομάδα συμβάντων",
+ "lock_group": "Ομάδα κλειδώματος",
+ "media_player_group": "Ομάδα αναπαραγωγής πολυμέσων",
+ "notify_group": "Ειδοποίηση ομάδας",
+ "sensor_group": "Ομάδα αισθητήρων",
+ "switch_group": "Ομάδα διακοπτών",
+ "known_hosts": "Γνωστοί κεντρικοί διακομιστές",
+ "google_cast_configuration": "Διαμόρφωση Google Cast",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Λείπει η διεύθυνση MAC στις ιδιότητες MDNS.",
+ "abort_mqtt_missing_api": "Λείπει η θύρα API στις ιδιότητες MQTT.",
+ "abort_mqtt_missing_ip": "Λείπει η διεύθυνση IP στις ιδιότητες MQTT.",
+ "abort_mqtt_missing_mac": "Λείπει η διεύθυνση MAC στις ιδιότητες MQTT.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Η ενέργεια ελήφθη",
+ "discovered_esphome_node": "Ανακαλύφθηκε κόμβος ESPHome",
+ "bridge_is_already_configured": "Το bridge έχει ήδη ρυθμιστεί",
+ "no_deconz_bridges_discovered": "Δεν ανακαλύφθηκαν deCONZ bridges",
+ "abort_no_hardware_available": "Δεν έχει συνδεθεί ασύρματο υλικό στο deCONZ",
+ "abort_updated_instance": "Ενημερωμένη υπόσταση deCONZ με νέα διεύθυνση κεντρικού υπολογιστή",
+ "error_linking_not_possible": "Δεν ήταν δυνατή η σύνδεση με το gateway",
+ "error_no_key": "Δεν ήταν δυνατή η λήψη κλειδιού API",
+ "link_with_deconz": "Σύνδεση με deCONZ",
+ "select_discovered_deconz_gateway": "Επιλέξτε το deCONZ gateway που ανακαλύφθηκε",
+ "abort_missing_credentials": "Η ενσωμάτωση απαιτεί διαπιστευτήρια εφαρμογής.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "Δεν βρέθηκαν υπηρεσίες στο τελικό σημείο",
+ "discovered_wyoming_service": "Ανακαλύφθηκε η υπηρεσία Wyoming",
+ "ipv_is_not_supported": "Το IPv6 δεν υποστηρίζεται.",
+ "error_custom_port_not_supported": "Η συσκευή Gen1 δεν υποστηρίζει προσαρμοσμένη θύρα.",
"arm_away_action": "Ενέργεια όπλισης εκτός σπιτιού",
"arm_custom_bypass_action": "Ενέργεια προσαρμοσμένης παράκαμψης όπλισης",
"arm_home_action": "Ενέργεια όπλισης στο σπίτι",
@@ -2281,14 +2621,12 @@
"code_arm_required": "Απαιτείται κωδικός όπλισης",
"disarm_action": "Ενέργεια αφοπλισμού",
"trigger_action": "Ενέργεια πυροδότησης",
- "value_template": "Πρότυπο τιμής",
+ "value_template": "Τιμή πρότυπου",
"template_alarm_control_panel": "Πρότυπο πίνακα ελέγχου συναγερμού",
- "device_class": "Κλάση συσκευής",
"state_template": "Πρότυπο κατάστασης",
"template_binary_sensor": "Πρότυπο δυαδικού αισθητήρα",
"actions_on_press": "Ενέργειες κατά το πάτημα",
"template_button": "Πρότυπο κουμπιού",
- "verify_ssl_certificate": "Επαλήθευση πιστοποιητικού SSL",
"template_image": "Πρότυπο εικόνας",
"actions_on_set_value": "Ενέργειες κατά τον ορισμό τιμής",
"step_value": "Τιμή βήματος",
@@ -2308,114 +2646,130 @@
"template_a_sensor": "Πρότυπο ενός αισθητήρα",
"template_a_switch": "Πρότυπο ενός διακόπτη",
"template_helper": "Βοηθός προτύπου",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
- "abort_addon_info_failed": "Αποτυχία λήψης πληροφοριών για το πρόσθετο {addon}.",
- "abort_addon_install_failed": "Αποτυχία εγκατάστασης του πρόσθετου {addon}.",
- "abort_addon_start_failed": "Αποτυχία εκκίνησης του πρόσθετου {addon}.",
- "invalid_birth_topic": "Μη έγκυρο θέμα γέννησης",
- "error_bad_certificate": "Το πιστοποιητικό CA δεν είναι έγκυρο",
- "invalid_discovery_prefix": "Μη έγκυρο πρόθεμα εύρεσης",
- "invalid_will_topic": "Μη έγκυρο θέμα",
- "broker": "Μεσίτης",
- "data_certificate": "Ανέβασμα προσαρμοσμένου αρχείου πιστοποιητικού CA",
- "upload_client_certificate_file": "Ανέβασμα αρχείου πιστοποιητικού πελάτη",
- "upload_private_key_file": "Μεταφόρτωση αρχείου ιδιωτικού κλειδιού",
- "data_keepalive": "Ο χρόνος μεταξύ της αποστολής διατηρεί ζωντανά τα μηνύματα",
- "port": "Θύρα",
- "mqtt_protocol": "Πρωτόκολλο MQTT",
- "broker_certificate_validation": "Επικύρωση πιστοποιητικού μεσίτη",
- "use_a_client_certificate": "Χρήση πιστοποιητικού πελάτη",
- "ignore_broker_certificate_validation": "Παράβλεψη επικύρωσης πιστοποιητικού μεσίτη",
- "mqtt_transport": "Μεταφορά MQTT",
- "data_ws_headers": "Κεφαλίδες WebSocket σε μορφή JSON",
- "websocket_path": "Διαδρομή WebSocket",
- "hassio_confirm_title": "deCONZ Zigbee gateway μέσω του πρόσθετου Home Assistant",
- "installing_add_on": "Εγκατάσταση πρόσθετου",
- "reauth_confirm_title": "Re-authentication required with the MQTT broker",
- "starting_add_on": "Εκκίνηση πρόσθετου",
- "menu_options_addon": "Χρήση του επίσημου πρόσθετου {addon}",
- "menu_options_broker": "Εισάγετε χειροκίνητα τα στοιχεία σύνδεσης του MQTT broker",
- "bridge_is_already_configured": "Το bridge έχει ήδη ρυθμιστεί",
- "no_deconz_bridges_discovered": "Δεν ανακαλύφθηκαν deCONZ bridges",
- "abort_no_hardware_available": "Δεν έχει συνδεθεί ασύρματο υλικό στο deCONZ",
- "abort_updated_instance": "Ενημερωμένη υπόσταση deCONZ με νέα διεύθυνση κεντρικού υπολογιστή",
- "error_linking_not_possible": "Δεν ήταν δυνατή η σύνδεση με το gateway",
- "error_no_key": "Δεν ήταν δυνατή η λήψη κλειδιού API",
- "link_with_deconz": "Σύνδεση με deCONZ",
- "select_discovered_deconz_gateway": "Επιλέξτε το deCONZ gateway που ανακαλύφθηκε",
- "pin_code": "Κωδικός PIN",
- "discovered_android_tv": "Ανακαλύφθηκε Android TV",
- "abort_mdns_missing_mac": "Λείπει η διεύθυνση MAC στις ιδιότητες MDNS.",
- "abort_mqtt_missing_api": "Λείπει η θύρα API στις ιδιότητες MQTT.",
- "abort_mqtt_missing_ip": "Λείπει η διεύθυνση IP στις ιδιότητες MQTT.",
- "abort_mqtt_missing_mac": "Λείπει η διεύθυνση MAC στις ιδιότητες MQTT.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Η ενέργεια ελήφθη",
- "discovered_esphome_node": "Ανακαλύφθηκε κόμβος ESPHome",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "Δεν βρέθηκαν υπηρεσίες στο τελικό σημείο",
- "discovered_wyoming_service": "Ανακαλύφθηκε η υπηρεσία Wyoming",
- "abort_alternative_integration": "Η συσκευή υποστηρίζεται καλύτερα από άλλη ενσωμάτωση",
- "abort_incomplete_config": "Από τη διαμόρφωση λείπει μια απαιτούμενη μεταβλητή",
- "manual_description": "URL σε ένα αρχείο XML περιγραφής συσκευής",
- "manual_title": "Χειροκίνητη σύνδεση συσκευής DLNA DMR",
- "discovered_dlna_dmr_devices": "Ανακαλύφθηκαν συσκευές DLNA DMR",
- "api_error_occurred": "Παρουσιάστηκε σφάλμα API",
- "hostname_ip_address": "{hostname} ({ip_address})",
- "enable_https": "Ενεργοποίηση HTTPS",
- "broadcast_address": "Διεύθυνση εκπομπής",
- "broadcast_port": "Θύρα εκπομπής",
- "mac_address": "Διεύθυνση MAC",
- "meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "Το IPv6 δεν υποστηρίζεται.",
- "error_custom_port_not_supported": "Η συσκευή Gen1 δεν υποστηρίζει προσαρμοσμένη θύρα.",
- "two_factor_code": "Κωδικός δύο παραγόντων",
- "two_factor_authentication": "Ελεγχος ταυτότητας δύο παραγόντων",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Σύνδεση με λογαριασμό Ring",
- "all_entities": "Όλες οι οντότητες",
- "hide_members": "Απόκρυψη μελών",
- "create_group": "Create Group",
- "ignore_non_numeric": "Παράβλεψη μη αριθμητικών",
- "data_round_digits": "Στρογγυλοποιήστε την τιμή στον αριθμό των δεκαδικών",
- "type": "Τύπος",
- "binary_sensor_group": "Ομάδα δυαδικών αισθητήρων",
- "button_group": "Ομάδα κουμπιών",
- "cover_group": "Ομάδα ρολών",
- "event_group": "Ομάδα συμβάντων",
- "fan_group": "Ομάδα ανεμιστήρων",
- "light_group": "Ομάδα φώτων",
- "lock_group": "Ομάδα κλειδώματος",
- "media_player_group": "Ομάδα αναπαραγωγής πολυμέσων",
- "notify_group": "Ειδοποίηση ομάδας",
- "sensor_group": "Ομάδα αισθητήρων",
- "switch_group": "Ομάδα διακοπτών",
- "abort_api_error": "Σφάλμα κατά την επικοινωνία με το SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Μη υποστηριζόμενος τύπος Switchbot.",
- "authentication_failed_error_detail": "Η ταυτοποίηση απέτυχε: {error_detail}",
- "error_encryption_key_invalid": "Το key id ή το κλειδί κρυπτογράφησης δεν είναι έγκυρο",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Κωδικός πρόσβασης για προστασία του αντιγράφου ασφαλείας.",
- "device_address": "Διεύθυνση συσκευής",
- "cannot_connect_details_error_detail": "Δεν είναι δυνατή η σύνδεση. Λεπτομέρειες: {error_detail}",
- "unknown_details_error_detail": "Αγνωστο. Λεπτομέρειες: {error_detail}",
- "uses_an_ssl_certificate": "Χρησιμοποιεί ένα πιστοποιητικό SSL",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "Αυτή η συσκευή δεν είναι συσκευή zha",
+ "abort_usb_probe_failed": "Αποτυχία ανίχνευσης της συσκευής usb",
+ "invalid_backup_json": "Μη έγκυρο αντίγραφο ασφαλείας JSON",
+ "choose_an_automatic_backup": "Επιλέξτε ένα αυτόματο αντίγραφο ασφαλείας",
+ "restore_automatic_backup": "Επαναφορά αυτόματου αντιγράφου ασφαλείας",
+ "choose_formation_strategy_description": "Επιλέξτε τις ρυθμίσεις δικτύου για την κεραία σας.",
+ "restore_an_automatic_backup": "Επαναφορά ενός αυτόματου αντιγράφου ασφαλείας",
+ "create_a_network": "Δημιουργήστε ένα δίκτυο",
+ "keep_radio_network_settings": "Διατήρηση των ρυθμίσεων ραδιοδικτύου",
+ "upload_a_manual_backup": "Ανεβάστε ένα χειροκίνητο αντίγραφο ασφαλείας",
+ "network_formation": "Διαμόρφωση δικτύου",
+ "serial_device_path": "Διαδρομή σειριακής συσκευής",
+ "select_a_serial_port": "Επιλέξτε μια σειριακή θύρα",
+ "radio_type": "Τύπος κεραίας",
+ "manual_pick_radio_type_description": "Επιλέξτε τον τύπο της κεραίας Zigbee",
+ "port_speed": "ταχύτητα θύρας",
+ "data_flow_control": "έλεγχος ροής δεδομένων",
+ "manual_port_config_description": "Εισάγετε τις ρυθμίσεις της σειριακής θύρας",
+ "serial_port_settings": "Ρυθμίσεις σειριακής θύρας",
+ "data_overwrite_coordinator_ieee": "Μόνιμη αντικατάσταση της ραδιοδιεύθυνσης IEEE",
+ "overwrite_radio_ieee_address": "Αντικαταστήστε τη διεύθυνση IEEE Radio",
+ "upload_a_file": "Ανεβάστε ένα αρχείο",
+ "radio_is_not_recommended": "Το ραδιόφωνο δεν συνιστάται",
+ "invalid_ics_file": "Μη έγκυρο αρχείο .ics",
+ "calendar_name": "Ονομα ημερολογίου",
+ "starting_data": "Εναρξη δεδομένων",
+ "zha_alarm_options_alarm_arm_requires_code": "Απαιτείται κωδικός για ενέργειες οπλισμού",
+ "zha_alarm_options_alarm_master_code": "Κύριος κωδικός για τον πίνακα ελέγχου συναγερμού",
+ "alarm_control_panel_options": "Επιλογές πίνακα ελέγχου συναγερμού",
+ "zha_options_consider_unavailable_battery": "Θεώρηση συσκευών με μπαταρία ως μη διαθέσιμες μετά από (δευτερόλεπτα)",
+ "zha_options_consider_unavailable_mains": "Θεώρηση συσκευών που τροφοδοτούνται από το δίκτυο ως μη διαθέσιμες μετά από (δευτερόλεπτα)",
+ "zha_options_default_light_transition": "Προεπιλεγμένος χρόνος μετάβασης φωτός (δευτερόλεπτα)",
+ "zha_options_group_members_assume_state": "Τα μέλη της ομάδας αναλαμβάνουν την κατάσταση της ομάδας",
+ "zha_options_light_transitioning_flag": "Ενεργοποίηση βελτιωμένου ρυθμιστικού φωτεινότητας κατά τη μετάβαση φωτός",
+ "global_options": "Καθολικές επιλογές",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Αριθμός επαναληπτικών προσπαθειών",
+ "data_process": "Διεργασίες για προσθήκη ως αισθητήρων",
+ "invalid_url": "Μη έγκυρη διεύθυνση URL",
+ "data_browse_unfiltered": "Εμφάνιση μη συμβατών μέσων κατά την περιήγηση",
+ "event_listener_callback_url": "URL κλήσης ακροατή συμβάντος",
+ "data_listen_port": "Θύρα ακρόασης συμβάντων (τυχαία αν δεν έχει οριστεί)",
+ "poll_for_device_availability": "Ελεγχος για τη διαθεσιμότητα της συσκευής",
+ "init_title": "Διαμόρφωση DLNA Digital Media Renderer",
+ "broker_options": "Επιλογές broker",
+ "enable_birth_message": "Ενεργοποίηση μηνύματος γέννησης (birth message)",
+ "birth_message_payload": "Ωφέλιμο φορτίο μηνύματος γέννησης (birth message)",
+ "birth_message_qos": "QoS μηνύματος γέννησης (birth message)",
+ "birth_message_retain": "Διατήρηση μηνύματος γέννησης (birth message)",
+ "birth_message_topic": "Θέμα μηνύματος γέννησης (birth message)",
+ "enable_discovery": "Ενεργοποίηση ανακάλυψης",
+ "discovery_prefix": "Πρόθεμα ανακάλυψης",
+ "enable_will_message": "Ενεργοποίηση μηνύματος επιθυμίας (will message)",
+ "will_message_payload": "Ωφέλιμο φορτίο μηνύματος επιθυμίας (will message)",
+ "will_message_qos": "QoS μηνύματος επιθυμίας (will message)",
+ "will_message_retain": "Διατήρηση μηνύματος επιθυμίας (will message)",
+ "will_message_topic": "Θέμα μηνύματος επιθυμίας (will message)",
+ "data_description_discovery": "Επιλογή για την ενεργοποίηση της αυτόματης ανακάλυψης MQTT.",
+ "mqtt_options": "Επιλογές MQTT",
+ "passive_scanning": "Παθητική σάρωση",
+ "protocol": "Πρωτόκολλο",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Κωδικός γλώσσας",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "data_app_delete": "Επιλέξτε για να διαγράψετε αυτή την εφαρμογή",
+ "application_icon": "Application icon",
+ "application_id": "ID εφαρμογής",
+ "application_name": "Application name",
+ "configure_application_id_app_id": "Configure application ID {app_id}",
+ "configure_android_apps": "Configure Android apps",
+ "configure_applications_list": "Διαμόρφωση λίστας εφαρμογών",
"ignore_cec": "Αγνόηση CEC",
"allowed_uuids": "Επιτρεπόμενα UUIDs",
"advanced_google_cast_configuration": "Προηγμένη διαμόρφωση Google Cast",
+ "allow_deconz_clip_sensors": "Να επιτρέπονται οι αισθητήρες DECONZ CLIP",
+ "allow_deconz_light_groups": "Να επιτρέπονται ομάδες φωτός deCONZ",
+ "data_allow_new_devices": "Να επιτρέπεται η αυτόματη προσθήκη νέων συσκευών",
+ "deconz_devices_description": "Διαμόρφωση ορατότητας τύπων συσκευών deCONZ",
+ "deconz_options": "Επιλογές deCONZ",
+ "select_test_server": "Επιλέξτε διακομιστή δοκιμής",
+ "data_calendar_access": "Πρόσβαση του Home Assistant στο Ημερολόγιο Google",
+ "bluetooth_scanner_mode": "Λειτουργία σαρωτή Bluetooth",
"device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
"not_supported": "Not Supported",
"localtuya_configuration": "LocalTuya Configuration",
@@ -2432,10 +2786,9 @@
"data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
"data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
"data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
"configure_tuya_device": "Configure Tuya device",
"configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "ID συσκευής",
+ "device_id": "Device ID",
"local_key": "Local key",
"protocol_version": "Protocol Version",
"data_entities": "Entities (uncheck an entity to remove it)",
@@ -2504,93 +2857,13 @@
"enable_heuristic_action_optional": "Enable heuristic action (optional)",
"data_dps_default_value": "Default value when un-initialised (optional)",
"minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Πρόσβαση του Home Assistant στο Ημερολόγιο Google",
- "data_process": "Διεργασίες για προσθήκη ως αισθητήρων",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Παθητική σάρωση",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Επιλογές broker",
- "enable_birth_message": "Ενεργοποίηση μηνύματος γέννησης (birth message)",
- "birth_message_payload": "Ωφέλιμο φορτίο μηνύματος γέννησης (birth message)",
- "birth_message_qos": "QoS μηνύματος γέννησης (birth message)",
- "birth_message_retain": "Διατήρηση μηνύματος γέννησης (birth message)",
- "birth_message_topic": "Θέμα μηνύματος γέννησης (birth message)",
- "enable_discovery": "Ενεργοποίηση ανακάλυψης",
- "discovery_prefix": "Πρόθεμα ανακάλυψης",
- "enable_will_message": "Ενεργοποίηση μηνύματος επιθυμίας (will message)",
- "will_message_payload": "Ωφέλιμο φορτίο μηνύματος επιθυμίας (will message)",
- "will_message_qos": "QoS μηνύματος επιθυμίας (will message)",
- "will_message_retain": "Διατήρηση μηνύματος επιθυμίας (will message)",
- "will_message_topic": "Θέμα μηνύματος επιθυμίας (will message)",
- "data_description_discovery": "Επιλογή για την ενεργοποίηση της αυτόματης ανακάλυψης MQTT.",
- "mqtt_options": "Επιλογές MQTT",
"data_allow_nameless_uuids": "Επί του παρόντος επιτρεπόμενα UUIDs. Αποεπιλέξτε για να αφαιρέσετε",
"data_new_uuid": "Εισάγετε ένα νέο επιτρεπόμενο UUID",
- "allow_deconz_clip_sensors": "Να επιτρέπονται οι αισθητήρες DECONZ CLIP",
- "allow_deconz_light_groups": "Να επιτρέπονται ομάδες φωτός deCONZ",
- "data_allow_new_devices": "Να επιτρέπεται η αυτόματη προσθήκη νέων συσκευών",
- "deconz_devices_description": "Διαμόρφωση ορατότητας τύπων συσκευών deCONZ",
- "deconz_options": "Επιλογές deCONZ",
- "data_app_delete": "Επιλέξτε για να διαγράψετε αυτή την εφαρμογή",
- "application_icon": "Application icon",
- "application_id": "ID εφαρμογής",
- "application_name": "Application name",
- "configure_application_id_app_id": "Configure application ID {app_id}",
- "configure_android_apps": "Configure Android apps",
- "configure_applications_list": "Διαμόρφωση λίστας εφαρμογών",
- "invalid_url": "Μη έγκυρη διεύθυνση URL",
- "data_browse_unfiltered": "Εμφάνιση μη συμβατών μέσων κατά την περιήγηση",
- "event_listener_callback_url": "URL κλήσης ακροατή συμβάντος",
- "data_listen_port": "Θύρα ακρόασης συμβάντων (τυχαία αν δεν έχει οριστεί)",
- "poll_for_device_availability": "Ελεγχος για τη διαθεσιμότητα της συσκευής",
- "init_title": "Διαμόρφωση DLNA Digital Media Renderer",
- "protocol": "Πρωτόκολλο",
- "language_code": "Κωδικός γλώσσας",
- "bluetooth_scanner_mode": "Λειτουργία σαρωτή Bluetooth",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Αριθμός επαναληπτικών προσπαθειών",
- "select_test_server": "Επιλέξτε διακομιστή δοκιμής",
- "toggle_entity_name": "Εναλλαγή του {entity_name}",
- "turn_off_entity_name": "Απενεργοποίηση του {entity_name}",
- "turn_on_entity_name": "Ενεργοποίηση του {entity_name}",
- "entity_name_is_off": "Το {entity_name} είναι απενεργοποιημένο",
- "entity_name_is_on": "Το {entity_name} είναι ενεργοποιημένο",
- "trigger_type_changed_states": "Το {entity_name} ενεργοποιήθηκε ή απενεργοποιήθηκε",
- "entity_name_turned_off": "Το {entity_name} απενεργοποιήθηκε",
- "entity_name_turned_on": "Το {entity_name} ενεργοποιήθηκε",
+ "reconfigure_zha": "Επαναδιαμόρφωση ZHA",
+ "unplug_your_old_radio": "Αποσυνδέστε το παλιό σας πομποδέκτη",
+ "intent_migrate_title": "Μεταφορά σε νέο πομποδέκτη",
+ "re_configure_the_current_radio": "Επαναδιαμόρφωση του τρέχοντος πομποδέκτη",
+ "migrate_or_re_configure": "Μετεγκατάσταση ή επαναδιαμόρφωση",
"current_entity_name_apparent_power": "Τρέχουσα φαινομενική ισχύς {entity_name}",
"condition_type_is_aqi": "Τρέχων δείκτης ποιότητας αέρα {entity_name}",
"current_entity_name_area": "Current {entity_name} area",
@@ -2684,14 +2957,78 @@
"entity_name_water_changes": "Αλλαγή νερού {entity_name}",
"entity_name_weight_changes": "Το βάρος {entity_name} αλλάζει",
"entity_name_wind_speed_changes": "Η ταχύτητα του ανέμου {entity_name} αλλάζει",
+ "decrease_entity_name_brightness": "Μείωση φωτεινότητας του {entity_name}",
+ "increase_entity_name_brightness": "Αύξηση φωτεινότητας του {entity_name}",
+ "flash_entity_name": "Φλας {entity_name}",
+ "toggle_entity_name": "Εναλλαγή του {entity_name}",
+ "turn_off_entity_name": "Απενεργοποίηση του {entity_name}",
+ "turn_on_entity_name": "Ενεργοποίηση του {entity_name}",
+ "entity_name_is_off": "Το {entity_name} είναι απενεργοποιημένο",
+ "entity_name_is_on": "Το {entity_name} είναι ενεργοποιημένο",
+ "flash": "Αναβόσβημα",
+ "trigger_type_changed_states": "Το {entity_name} ενεργοποιήθηκε ή απενεργοποιήθηκε",
+ "entity_name_turned_off": "Το {entity_name} απενεργοποιήθηκε",
+ "entity_name_turned_on": "Το {entity_name} ενεργοποιήθηκε",
+ "set_value_for_entity_name": "Ορισμός τιμής για {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "Η διαθεσιμότητα της ενημέρωσης {entity_name} άλλαξε",
+ "entity_name_became_up_to_date": "{entity_name} ενημερώθηκε",
+ "trigger_type_turned_on": "{entity_name} έχει διαθέσιμη μια ενημέρωση",
+ "first_button": "Πρώτο κουμπί",
+ "second_button": "Δεύτερο κουμπί",
+ "third_button": "Τρίτο κουμπί",
+ "fourth_button": "Τέταρτο κουμπί",
+ "fifth_button": "Πέμπτο κουμπί",
+ "sixth_button": "Έκτο κουμπί",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" απελευθερώθηκε μετά από παρατεταμένο πάτημα",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} είναι στο σπίτι",
+ "entity_name_is_not_home": "{entity_name} δεν είναι σπίτι",
+ "entity_name_enters_a_zone": "To {entity_name} μπαίνει σε μια ζώνη",
+ "entity_name_leaves_a_zone": "Το {entity_name} βγαίνει από μια ζώνη",
+ "press_entity_name_button": "Πατήστε το κουμπί {entity_name}",
+ "entity_name_has_been_pressed": "{entity_name} έχει πατηθεί",
+ "let_entity_name_clean": "Αφήστε τη {entity_name} να καθαρίσει",
+ "action_type_dock": "Αφήστε τη {entity_name} να επιστρέψει στη βάση",
+ "entity_name_is_cleaning": "Η {entity_name} καθαρίζει",
+ "entity_name_docked": "Η {entity_name} βρίσκεται στη βάση",
+ "entity_name_started_cleaning": "Η {entity_name} ξεκίνησε το καθάρισμα",
+ "send_a_notification": "Αποστολή ειδοποίησης",
+ "lock_entity_name": "Κλείδωμα {entity_name}",
+ "open_entity_name": "Ανοιγμα {entity_name}",
+ "unlock_entity_name": "Ξεκλείδωμα {entity_name}",
+ "entity_name_is_locked": "{entity_name} είναι κλειδωμένο",
+ "entity_name_is_open": "{entity_name} είναι ανοιχτό",
+ "entity_name_is_unlocked": "{entity_name} είναι ξεκλείδωτο",
+ "entity_name_locked": "{entity_name} κλειδώθηκε",
+ "entity_name_opened": "{entity_name} ανοιχτό",
+ "entity_name_unlocked": "{entity_name} ξεκλειδώθηκε",
"action_type_set_hvac_mode": "Αλλαγή λειτουργίας HVAC στο {entity_name}",
"change_preset_on_entity_name": "Αλλαγή προεπιλογής στο {entity_name}",
"hvac_mode": "Λειτουργία κλιματισμού",
"entity_name_measured_humidity_changed": "Η μετρημένη υγρασία του {entity_name} άλλαξε",
"entity_name_measured_temperature_changed": "Η μετρούμενη θερμοκρασία του {entity_name} άλλαξε",
"entity_name_hvac_mode_changed": "Η λειτουργία HVAC του {entity_name} άλλαξε",
- "set_value_for_entity_name": "Ορισμός τιμής για {entity_name}",
- "value": "Τιμή",
+ "close_entity_name": "Κλείσιμο {entity_name}",
+ "close_entity_name_tilt": "Κλίση ρολού {entity_name} (κλείσιμο)",
+ "open_entity_name_tilt": "Κλίση ρολού {entity_name} (άνοιγμα)",
+ "set_entity_name_position": "Ορισμός θέσης {entity_name}",
+ "set_entity_name_tilt_position": "Ορισμός θέσης κλίσης {entity_name}",
+ "stop_entity_name": "Διακοπή {entity_name}",
+ "entity_name_is_closed": "{entity_name} είναι κλειστό",
+ "entity_name_closing": "Το {entity_name} κλείνει",
+ "entity_name_opening": "Το {entity_name} ανοίγει",
+ "current_entity_name_position_is": "Η τρέχουσα θέση του {entity_name} είναι",
+ "condition_type_is_tilt_position": "Η τρέχουσα θέση κλίσης του {entity_name} είναι",
+ "entity_name_closed": "{entity_name} έκλεισε",
+ "entity_name_position_changes": "Αλλαγή θέσης {entity_name}",
+ "entity_name_tilt_position_changes": "Αλλαγή θέσης κλίσης {entity_name}",
"entity_name_battery_is_low": "Η μπαταρία {entity_name} είναι χαμηλή",
"entity_name_charging": "Το {entity_name} φορτίζει",
"condition_type_is_co": "Ο {entity_name} ανιχνεύει μονοξείδιο του άνθρακα",
@@ -2700,7 +3037,6 @@
"entity_name_is_detecting_gas": "{entity_name} ανιχνεύει αέριο",
"entity_name_is_hot": "{entity_name} είναι ζεστό",
"entity_name_is_detecting_light": "{entity_name} ανιχνεύει φως",
- "entity_name_is_locked": "{entity_name} είναι κλειδωμένο",
"entity_name_is_moist": "{entity_name} είναι υγρό",
"entity_name_is_detecting_motion": "{entity_name} ανιχνεύει κίνηση",
"entity_name_is_moving": "{entity_name} κινείται",
@@ -2718,18 +3054,15 @@
"entity_name_is_not_cold": "{entity_name} δεν είναι κρύο",
"entity_name_is_unplugged": "{entity_name} είναι αποσυνδεδεμένο",
"entity_name_is_not_hot": "{entity_name} δεν είναι ζεστό",
- "entity_name_is_unlocked": "{entity_name} είναι ξεκλείδωτο",
"entity_name_is_dry": "{entity_name} είναι στεγνό",
"entity_name_is_not_moving": "{entity_name} δεν κινείται",
"entity_name_is_not_occupied": "{entity_name} δεν είναι κατειλημμένο",
- "entity_name_is_closed": "Το {entity_name} είναι κλειστό",
"entity_name_not_powered": "Το {entity_name} δεν τροφοδοτείται",
"entity_name_not_present": "{entity_name} δεν υπάρχει",
"entity_name_is_not_running": "{entity_name} δεν εκτελείται",
"condition_type_is_not_tampered": "{entity_name} δεν εντοπίζει παραποίηση",
"entity_name_is_safe": "{entity_name} είναι ασφαλές",
"entity_name_is_occupied": "{entity_name} είναι κατειλημμένο",
- "entity_name_is_open": "Το {entity_name} είναι ανοιχτό",
"entity_name_powered": "Το {entity_name} τροφοδοτείται",
"entity_name_is_present": "{entity_name} είναι παρόν",
"entity_name_is_detecting_problem": "{entity_name} εντοπίζει πρόβλημα",
@@ -2747,7 +3080,6 @@
"entity_name_started_detecting_gas": "{entity_name} άρχισε να ανιχνεύει αέριο",
"entity_name_became_hot": "{entity_name} ζεστάθηκε",
"entity_name_started_detecting_light": "{entity_name} άρχισε να ανιχνεύει φως",
- "entity_name_locked": "{entity_name} κλειδώθηκε",
"entity_name_became_moist": "{entity_name} έγινε υγρό",
"entity_name_started_detecting_motion": "{entity_name} άρχισε να ανιχνεύει κίνηση",
"entity_name_started_moving": "{entity_name} άρχισε να κινείται",
@@ -2758,23 +3090,19 @@
"entity_name_stopped_detecting_problem": "{entity_name} σταμάτησε να εντοπίζει πρόβλημα",
"entity_name_stopped_detecting_smoke": "{entity_name} σταμάτησε να ανιχνεύει καπνό",
"entity_name_stopped_detecting_sound": "{entity_name} σταμάτησε να ανιχνεύει ήχο",
- "entity_name_became_up_to_date": "{entity_name} ενημερώθηκε",
"entity_name_stopped_detecting_vibration": "{entity_name} σταμάτησε να ανιχνεύει δόνηση",
"entity_name_battery_normal": "Η μπαταρία του {entity_name} είναι κανονική",
"entity_name_became_not_cold": "Το {entity_name} άλλαξε σε μη κρύο",
"entity_name_disconnected": "{entity_name} αποσυνδέθηκε",
"entity_name_became_not_hot": "{entity_name} έγινε μη καυτό",
- "entity_name_unlocked": "{entity_name} ξεκλειδώθηκε",
"entity_name_became_dry": "{entity_name} έγινε ξηρό",
"entity_name_stopped_moving": "{entity_name} σταμάτησε να κινείται",
"entity_name_became_not_occupied": "{entity_name} έγινε μη κατειλημμένο",
- "entity_name_closed": "Το {entity_name} έκλεισε",
"entity_name_unplugged": "{entity_name} αποσυνδεδεμένο",
"trigger_type_not_running": "{entity_name} δεν εκτελείται πλέον",
"entity_name_stopped_detecting_tampering": "{entity_name} σταμάτησε να εντοπίζει παραποίηση",
"entity_name_became_safe": "{entity_name} έγινε ασφαλές",
"entity_name_became_occupied": "{entity_name} έγινε κατειλημμένο",
- "entity_name_opened": "Το {entity_name} άνοιξε",
"entity_name_plugged_in": "{entity_name} συνδεδεμένο",
"entity_name_present": "{entity_name} παρόν",
"entity_name_started_detecting_problem": "{entity_name} άρχισε να ανιχνεύει πρόβλημα",
@@ -2791,34 +3119,6 @@
"entity_name_is_playing": "{entity_name} παίζει",
"entity_name_becomes_idle": "{entity_name} γίνεται αδρανές",
"entity_name_starts_playing": "{entity_name} αρχίζει να παίζει",
- "entity_name_is_home": "{entity_name} είναι στο σπίτι",
- "entity_name_is_not_home": "{entity_name} δεν είναι σπίτι",
- "entity_name_enters_a_zone": "To {entity_name} μπαίνει σε μια ζώνη",
- "entity_name_leaves_a_zone": "Το {entity_name} βγαίνει από μια ζώνη",
- "decrease_entity_name_brightness": "Μείωση φωτεινότητας του {entity_name}",
- "increase_entity_name_brightness": "Αύξηση φωτεινότητας του {entity_name}",
- "flash_entity_name": "Φλας {entity_name}",
- "flash": "Αναβόσβημα",
- "entity_name_update_availability_changed": "Η διαθεσιμότητα της ενημέρωσης {entity_name} άλλαξε",
- "trigger_type_turned_on": "{entity_name} έχει διαθέσιμη μια ενημέρωση",
- "arm_entity_name_away": "Οπλιση του {entity_name} ως Εκτός σπιτιού",
- "arm_entity_name_home": "Οπλίστε σε σπίτι το {entity_name}",
- "arm_entity_name_night": "Οπλίστε σε βράδυ το {entity_name}",
- "arm_entity_name_vacation": "Οπλισμός {entity_name} σε διακοπές",
- "disarm_entity_name": "Αφοπλισμός {entity_name}",
- "trigger_entity_name": "Πυροδότηση {entity_name}",
- "entity_name_is_armed_away": "Το {entity_name} είναι οπλισμένο ως Εκτός σπιτιού",
- "entity_name_is_armed_home": "{entity_name} είναι οπλισμένο σε σπίτι",
- "entity_name_is_armed_night": "{entity_name} είναι οπλισμένο σε νύχτα",
- "entity_name_armed_vacation": "{entity_name} οπλίστηκε σε διακοπές",
- "entity_name_is_disarmed": "{entity_name} είναι αφοπλισμένο",
- "entity_name_triggered": "{entity_name} ενεργοποιήθηκε",
- "entity_name_armed_away": "Το {entity_name} οπλίστηκε ως εκτός σπιτιού",
- "entity_name_armed_home": "{entity_name} οπλίστηκε για σπίτι",
- "entity_name_armed_night": "{entity_name} οπλίστηκε για νύχτα",
- "entity_name_disarmed": "{entity_name} αφοπλίστηκε",
- "press_entity_name_button": "Πατήστε το κουμπί {entity_name}",
- "entity_name_has_been_pressed": "{entity_name} έχει πατηθεί",
"action_type_select_first": "Αλλαγή του {entity_name} στην πρώτη επιλογή",
"action_type_select_last": "Αλλαγή του {entity_name} στην τελευταία επιλογή",
"action_type_select_next": "Αλλαγή του {entity_name} στην επόμενη επιλογή",
@@ -2828,33 +3128,6 @@
"cycle": "Κυκλική επιλογή",
"from": "Από",
"entity_name_option_changed": "Η επιλογή {entity_name} άλλαξε",
- "close_entity_name": "Κλείσιμο {entity_name}",
- "close_entity_name_tilt": "Κλίση ρολού {entity_name} (κλείσιμο)",
- "open_entity_name": "Άνοιγμα {entity_name}",
- "open_entity_name_tilt": "Κλίση ρολού {entity_name} (άνοιγμα)",
- "set_entity_name_position": "Ορισμός θέσης {entity_name}",
- "set_entity_name_tilt_position": "Ορισμός θέσης κλίσης {entity_name}",
- "stop_entity_name": "Διακοπή {entity_name}",
- "entity_name_closing": "Το {entity_name} κλείνει",
- "entity_name_opening": "Το {entity_name} ανοίγει",
- "current_entity_name_position_is": "Η τρέχουσα θέση του {entity_name} είναι",
- "condition_type_is_tilt_position": "Η τρέχουσα θέση κλίσης του {entity_name} είναι",
- "entity_name_position_changes": "Αλλαγή θέσης {entity_name}",
- "entity_name_tilt_position_changes": "Αλλαγή θέσης κλίσης {entity_name}",
- "first_button": "Πρώτο κουμπί",
- "second_button": "Δεύτερο κουμπί",
- "third_button": "Τρίτο κουμπί",
- "fourth_button": "Τέταρτο κουμπί",
- "fifth_button": "Πέμπτο κουμπί",
- "sixth_button": "Έκτο κουμπί",
- "subtype_double_clicked": "Διπλό κλικ του {subtype}",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" απελευθερώθηκε μετά από παρατεταμένο πάτημα",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "Τριπλό κλικ στο {subtype}",
"both_buttons": "Και τα δύο κουμπιά",
"bottom_buttons": "Κάτω κουμπιά",
"seventh_button": "Έβδομο κουμπί",
@@ -2878,12 +3151,6 @@
"trigger_type_remote_rotate_from_side": "Η συσκευή περιστράφηκε από την \"πλευρά 6\" στην \"{subtype}\"",
"device_turned_clockwise": "Η συσκευή περιστράφηκε δεξιόστροφα",
"device_turned_counter_clockwise": "Η συσκευή περιστράφηκε αριστερόστροφα",
- "send_a_notification": "Αποστολή ειδοποίησης",
- "let_entity_name_clean": "Αφήστε τη {entity_name} να καθαρίσει",
- "action_type_dock": "Αφήστε τη {entity_name} να επιστρέψει στη βάση",
- "entity_name_is_cleaning": "Η {entity_name} καθαρίζει",
- "entity_name_docked": "Η {entity_name} βρίσκεται στη βάση",
- "entity_name_started_cleaning": "Η {entity_name} ξεκίνησε το καθάρισμα",
"subtype_button_down": "Κουμπί {subtype} κάτω",
"subtype_button_up": "Κουμπί {subtype} επάνω",
"subtype_double_push": "{subtype} διπλή ώθηση",
@@ -2894,28 +3161,52 @@
"trigger_type_single_long": "Μονό κλικ και μετά παρατεταμένο κλικ του {subtype}",
"subtype_single_push": "{subtype} μονή ώθηση",
"subtype_triple_push": "{subtype} πατήθηκε τρεις φορές",
- "lock_entity_name": "Κλείδωμα {entity_name}",
- "unlock_entity_name": "Ξεκλείδωμα {entity_name}",
+ "arm_entity_name_away": "Οπλιση του {entity_name} ως Εκτός σπιτιού",
+ "arm_entity_name_home": "Οπλίστε σε σπίτι το {entity_name}",
+ "arm_entity_name_night": "Οπλίστε σε βράδυ το {entity_name}",
+ "arm_entity_name_vacation": "Οπλισμός {entity_name} σε διακοπές",
+ "disarm_entity_name": "Αφοπλισμός {entity_name}",
+ "trigger_entity_name": "Πυροδότηση {entity_name}",
+ "entity_name_is_armed_away": "Το {entity_name} είναι οπλισμένο ως Εκτός σπιτιού",
+ "entity_name_is_armed_home": "{entity_name} είναι οπλισμένο σε σπίτι",
+ "entity_name_is_armed_night": "{entity_name} είναι οπλισμένο σε νύχτα",
+ "entity_name_armed_vacation": "{entity_name} οπλίστηκε σε διακοπές",
+ "entity_name_is_disarmed": "{entity_name} είναι αφοπλισμένο",
+ "entity_name_triggered": "{entity_name} ενεργοποιήθηκε",
+ "entity_name_armed_away": "Το {entity_name} οπλίστηκε ως εκτός σπιτιού",
+ "entity_name_armed_home": "{entity_name} οπλίστηκε για σπίτι",
+ "entity_name_armed_night": "{entity_name} οπλίστηκε για νύχτα",
+ "entity_name_disarmed": "{entity_name} αφοπλίστηκε",
+ "action_type_issue_all_led_effect": "Εφέ προβλήματος για όλα τα LED",
+ "action_type_issue_individual_led_effect": "Εφέ προβλήματος για μεμονωμένα LED",
+ "squawk": "Κακάρισμα",
+ "warn": "Προειδοποίηση",
+ "color_hue": "Χρωματική απόχρωση",
+ "duration_in_seconds": "Διάρκεια σε δευτερόλεπτα",
+ "effect_type": "Τύπος εφέ",
+ "led_number": "Αριθμός LED",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "Ενεργοποίηση με οποιαδήποτε/καθορισμένη όψη(ες)",
+ "device_dropped": "Η συσκευή έπεσε",
+ "device_flipped_subtype": "Η συσκευή αναποδογύρισε \"{subtype}\"",
+ "device_knocked_subtype": "Η συσκευή χτύπησε \"{subtype}\"",
+ "device_offline": "Συσκευή εκτός σύνδεσης",
+ "device_rotated_subtype": "Η συσκευή περιστράφηκε \"{subtype}\"",
+ "device_slid_subtype": "Η συσκευή γλίστρησε \"{subtype}\"",
+ "device_tilted": "Η συσκευή έχει κλίση",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "Το κουμπί \"{subtype}\" απελευθερώθηκε μετά από παρατεταμένο πάτημα (Εναλλακτική λειτουργία)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"enqueue": "Προσθήκη στην ουρά",
"play_next": "Αναπαραγωγή επόμενου",
"options_replace": "Αναπαραγωγή τώρα και εκκαθάριση ουράς",
"repeat_all": "Επανάληψη όλων",
"repeat_one": "Επανάληψη ενός",
- "no_code_format": "Χωρίς μορφή κωδικού",
- "no_unit_of_measurement": "Χωρίς μονάδα μέτρησης",
- "critical": "Κρίσιμο",
- "debug": "Εντοπισμός σφαλμάτων",
- "warning": "Προειδοποίηση",
- "create_an_empty_calendar": "Δημιουργία κενού ημερολογίου",
- "options_import_ics_file": "Ανέβασμα ενός αρχείου iCalendar (.ics)",
- "passive": "Παθητικός",
- "most_recently_updated": "Πιο πρόσφατα ενημερωμένο",
- "arithmetic_mean": "Αριθμητικός μέσος όρος",
- "median": "Διάμεσος",
- "product": "Προϊόν",
- "statistical_range": "Στατιστικό εύρος",
- "standard_deviation": "Τυπική απόκλιση",
- "fatal": "Σοβαρό",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3042,51 +3333,20 @@
"wheat": "Σιτάρι",
"white_smoke": "Λευκός καπνός",
"yellow_green": "Κίτρινο πράσινο",
- "sets_the_value": "Ορίζει την τιμή.",
- "the_target_value": "Η τιμή-στόχος.",
- "command": "Εντολή",
- "device_description": "ID συσκευής για αποστολή εντολής.",
- "delete_command": "Διαγραφή εντολής",
- "alternative": "Εναλλακτική",
- "command_type_description": "Ο τύπος της εντολής που πρέπει να μάθει.",
- "command_type": "Τύπος εντολής",
- "timeout_description": "Χρονικό όριο για την εκμάθηση της εντολής.",
- "learn_command": "Εκμάθηση εντολής",
- "delay_seconds": "Δευτερόλεπτα καθυστέρησης",
- "hold_seconds": "Δευτερόλεπτα αναμονής",
- "repeats": "Επαναλήψεις",
- "send_command": "Αποστολή εντολής",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Σβήστε ένα ή περισσότερα φώτα.",
- "turn_on_description": "Ξεκινά μια νέα εργασία καθαρισμού.",
- "set_datetime_description": "Ορίζει την ημερομηνία ή/και την ώρα.",
- "the_target_date": "Η ημερομηνία-στόχος.",
- "datetime_description": "Η ημερομηνία και ώρα στόχος.",
- "date_time": "Ημερομηνία & ώρα",
- "the_target_time": "Η ώρα-στόχος.",
- "creates_a_new_backup": "Δημιουργεί ένα νέο αντίγραφο ασφαλείας.",
- "apply_description": "Ενεργοποιεί μια σκηνή με διαμόρφωση.",
- "entities_description": "Λίστα οντοτήτων και της κατάστασης-στόχου τους.",
- "entities_state": "Κατάσταση οντοτήτων",
- "transition": "Μετάβαση",
- "creates_a_new_scene": "Δημιουργεί μια νέα σκηνή.",
- "scene_id_description": "Το ID οντότητας της νέας σκηνής.",
- "scene_entity_id": "ID οντότητας σκηνής",
- "snapshot_entities": "Στιγμιότυπο οντοτήτων",
- "delete_description": "Διαγράφει μια δυναμικά δημιουργημένη σκηνή.",
- "activates_a_scene": "Ενεργοποιεί μια σκηνή.",
- "closes_a_valve": "Κλείνει μια βαλβίδα.",
- "opens_a_valve": "Ανοίγει μια βαλβίδα.",
- "set_valve_position_description": "Μετακινεί μια βαλβίδα σε μια συγκεκριμένη θέση.",
- "target_position": "Θέση-στόχος.",
- "set_position": "Ορισμός θέσης",
- "stops_the_valve_movement": "Σταματά την κίνηση της βαλβίδας.",
- "toggles_a_valve_open_closed": "Ανοίγει/κλείνει μια βαλβίδα.",
- "dashboard_path": "Διαδρομή ταμπλό",
- "view_path": "Διαδρομή προβολής",
- "show_dashboard_view": "Εμφάνιση προβολής ταμπλό",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Κρίσιμο",
+ "debug": "Εντοπισμός σφαλμάτων",
+ "passive": "Παθητικός",
+ "no_code_format": "Χωρίς μορφή κωδικού",
+ "no_unit_of_measurement": "Χωρίς μονάδα μέτρησης",
+ "fatal": "Σοβαρό",
+ "most_recently_updated": "Πιο πρόσφατα ενημερωμένο",
+ "arithmetic_mean": "Αριθμητικός μέσος όρος",
+ "median": "Διάμεσος",
+ "product": "Προϊόν",
+ "statistical_range": "Στατιστικό εύρος",
+ "standard_deviation": "Τυπική απόκλιση",
+ "create_an_empty_calendar": "Δημιουργία κενού ημερολογίου",
+ "options_import_ics_file": "Ανέβασμα ενός αρχείου iCalendar (.ics)",
"sets_a_random_effect": "Ορίζει ένα τυχαίο εφέ.",
"sequence_description": "Λίστα ακολουθιών HSV (Μέγιστο 16).",
"backgrounds": "Φόντα",
@@ -3102,108 +3362,23 @@
"range_of_saturation": "Εύρος κορεσμού.",
"saturation_range": "Εύρος κορεσμού",
"segments_description": "Λίστα τμημάτων (0 για όλα).",
- "segments": "Τμήματα",
- "range_of_transition": "Εύρος μετάβασης.",
- "transition_range": "Εύρος μετάβασης",
- "random_effect": "Τυχαίο εφέ",
- "sets_a_sequence_effect": "Ορίζει ένα εφέ ακολουθίας.",
- "repetitions_for_continuous": "Επαναλήψεις (0 για συνεχόμενες).",
- "sequence": "Ακολουθία",
- "speed_of_spread": "Ταχύτητα εξάπλωσης.",
- "spread": "Εξάπλωση",
- "sequence_effect": "Εφέ ακολουθίας",
- "check_configuration": "Ελεγχος διαμόρφωσης",
- "reload_all": "Επαναφόρτωση όλων",
- "reload_config_entry_description": "Επαναφέρει την καθορισμένη καταχώρηση ρυθμίσεων.",
- "config_entry_id": "Αναγνωριστικό διαμόρφωσης καταχώρησης",
- "reload_config_entry": "Επαναφόρτωση καταχώρησης ρυθμίσεων",
- "reload_core_config_description": "Επαναφορτώνει την βασική διαμόρφωση από τη διαμόρφωση YAML.",
- "reload_core_configuration": "Επαναφόρτωση της διαμόρφωσης του πυρήνα",
- "reload_custom_jinja_templates": "Επαναφόρτωση προσαρμοσμένων προτύπων Jinja2",
- "restarts_home_assistant": "Επανεκκίνηση του Home Assistant.",
- "safe_mode_description": "Απενεργοποίηση των προσαρμοσμένων ενσωματώσεων και των προσαρμοσμένων καρτών.",
- "save_persistent_states": "Αποθήκευση μόνιμων καταστάσεων",
- "set_location_description": "Ενημερώνει τη θέση του Home Assistant.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Γεωγραφικό πλάτος της τοποθεσίας σας.",
- "longitude_of_your_location": "Γεωγραφικό μήκος της τοποθεσίας σας.",
- "set_location": "Ορισμός τοποθεσίας",
- "stops_home_assistant": "Σταματάει το Home Assistant.",
- "generic_toggle": "Γενικός διακόπτης",
- "generic_turn_off": "Γενική απενεργοποίηση",
- "generic_turn_on": "Γενική ενεργοποίηση",
- "entity_id_description": "Οντότητα που πρέπει να αναφέρεται στην καταχώρηση στο ημερολόγιο.",
- "entities_to_update": "Οντότητες προς ενημέρωση",
- "update_entity": "Ενημέρωση οντότητας",
- "turns_auxiliary_heater_on_off": "Ενεργοποιεί/απενεργοποιεί τη βοηθητική θέρμανση.",
- "aux_heat_description": "Νέα τιμή του βοηθητικού θερμαντήρα.",
- "turn_on_off_auxiliary_heater": "Ενεργοποίηση/απενεργοποίηση της βοηθητικής θέρμανσης",
- "sets_fan_operation_mode": "Ορίζει τον τρόπο λειτουργίας του ανεμιστήρα.",
- "fan_operation_mode": "Τρόπος λειτουργίας ανεμιστήρα.",
- "set_fan_mode": "Ορισμός λειτουργίας ανεμιστήρα.",
- "sets_target_humidity": "Ορίζει την υγρασία-στόχο.",
- "set_target_humidity": "Ορισμός υγρασίας-στόχου",
- "sets_hvac_operation_mode": "Ορίζει τον τρόπο λειτουργίας κλιματισμού.",
- "hvac_operation_mode": "Τρόπος λειτουργίας κλιματισμού",
- "set_hvac_mode": "Ρύθμιση λειτουργίας κλιματισμού",
- "sets_preset_mode": "Ορίζει την προκαθορισμένη λειτουργία.",
- "set_preset_mode": "Ορισμός προεπιλεγμένης λειτουργίας",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Ρυθμίζει τον τρόπο λειτουργίας ταλάντευσης.",
- "swing_operation_mode": "Τρόπος λειτουργίας ταλάντευσης.",
- "set_swing_mode": "Ρύθμιση λειτουργίας ταλάντευσης",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Ορισμός θερμοκρασίας-στόχου",
- "turns_climate_device_off": "Απενεργοποιεί τη συσκευή κλίματος.",
- "turns_climate_device_on": "Ενεργοποιεί τη συσκευή κλίματος.",
- "decrement_description": "Μειώνει την τρέχουσα τιμή κατά 1.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Ορίζει την τιμή ενός αριθμού.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Τιμή για την παράμετρο διαμόρφωσης.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Εκκαθάριση λίστας αναπαραγωγής",
- "selects_the_next_track": "Επιλέγει το επόμενο κομμάτι.",
- "pauses": "Κάνει παύση",
- "starts_playing": "Ξεκινά την αναπαραγωγή.",
- "toggles_play_pause": "Εναλλαγή αναπαραγωγής/παύσης.",
- "selects_the_previous_track": "Επιλέγει το προηγούμενο κομμάτι.",
- "seek": "Αναζήτηση",
- "stops_playing": "Διακόπτει την αναπαραγωγή.",
- "starts_playing_specified_media": "Ξεκινά την αναπαραγωγή των καθορισμένων πολυμέσων.",
- "announce": "Announce",
- "repeat_mode_to_set": "Λειτουργία επανάληψης για ορισμό.",
- "select_sound_mode_description": "Επιλέγει μια συγκεκριμένη λειτουργία ήχου.",
- "select_sound_mode": "Επιλέξτε λειτουργία ήχου",
- "select_source": "Επιλέξτε πηγή",
- "shuffle_description": "Εάν είναι ενεργοποιημένη ή όχι η λειτουργία τυχαίας αναπαραγωγής.",
- "toggle_description": "Ενεργοποιεί/απενεργοποιεί την ηλεκτρική σκούπα.",
- "unjoin": "Αποσύνδεση",
- "turns_down_the_volume": "Χαμηλώνει την ένταση του ήχου.",
- "volume_mute_description": "Σίγαση ή κατάργηση σίγασης της συσκευής αναπαραγωγής πολυμέσων.",
- "is_volume_muted_description": "Καθορίζει εάν είναι σε σίγαση ή όχι.",
- "mute_unmute_volume": "Σίγαση/κατάργηση σίγασης έντασης",
- "sets_the_volume_level": "Ρυθμίζει το επίπεδο έντασης.",
- "level": "Επίπεδο",
- "set_volume": "Ρύθμιση έντασης",
- "turns_up_the_volume": "Αυξάνει την ένταση του ήχου.",
- "battery_description": "Επίπεδο μπαταρίας της συσκευής.",
- "gps_coordinates": "Συντεταγμένες GPS",
- "gps_accuracy_description": "Ακρίβεια των συντεταγμένων GPS.",
- "hostname_of_the_device": "Ονομα κεντρικού υπολογιστή της συσκευής.",
- "hostname": "Ονομα κεντρικού υπολογιστή",
- "mac_description": "Διεύθυνση MAC της συσκευής.",
- "see": "Κοίτα",
+ "segments": "Τμήματα",
+ "transition": "Μετάβαση",
+ "range_of_transition": "Εύρος μετάβασης.",
+ "transition_range": "Εύρος μετάβασης",
+ "random_effect": "Τυχαίο εφέ",
+ "sets_a_sequence_effect": "Ορίζει ένα εφέ ακολουθίας.",
+ "repetitions_for_continuous": "Επαναλήψεις (0 για συνεχόμενες).",
+ "repeats": "Επαναλήψεις",
+ "sequence": "Ακολουθία",
+ "speed_of_spread": "Ταχύτητα εξάπλωσης.",
+ "spread": "Εξάπλωση",
+ "sequence_effect": "Εφέ ακολουθίας",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Ενεργοποιεί/απενεργοποιεί τη σειρήνα.",
+ "turns_the_siren_off": "Απενεργοποιεί τη σειρήνα.",
+ "turns_the_siren_on": "Ενεργοποιεί τη σειρήνα.",
"brightness_value": "Τιμή φωτεινότητας",
"a_human_readable_color_name": "Ενα όνομα χρώματος που διαβάζεται εύκολα.",
"color_name": "Ονομα χρώματος",
@@ -3216,25 +3391,68 @@
"rgbww_color": "Χρώμα RGBWW",
"white_description": "Ρυθμίστε το φως στη λειτουργία λευκού.",
"xy_color": "Χρώμα XY",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Αλλαγή της φωτεινότητας κατά ένα ποσό.",
"brightness_step_value": "Τιμή βήματος φωτεινότητας",
"brightness_step_pct_description": "Αλλαγή της φωτεινότητας κατά ένα ποσοστό.",
"brightness_step": "Βήμα φωτεινότητας",
- "add_event_description": "Προσθέτει ένα νέο συμβάν ημερολογίου.",
- "calendar_id_description": "Το ID του ημερολογίου που θέλετε.",
- "calendar_id": "Αναγνωριστικό ημερολογίου",
- "description_description": "Η περιγραφή του συμβάντος. Προαιρετικά.",
- "summary_description": "Λειτουργεί ως τίτλος του συμβάντος.",
- "location_description": "Η τοποθεσία του συμβάντος.",
- "create_event": "Δημιουργία συμβάντος",
- "apply_filter": "Εφαρμογή φίλτρου",
- "days_to_keep": "Ημέρες προς διατήρηση",
- "repack": "Επανασυσκευασία",
- "purge": "Εκκαθάριση",
- "domains_to_remove": "Τομείς προς κατάργηση",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Οντότητες προς κατάργηση",
- "purge_entities": "Εκκαθάριση οντοτήτων",
+ "toggles_the_helper_on_off": "Ενεργοποιεί/απενεργοποιεί τον βοηθό.",
+ "turns_off_the_helper": "Απενεργοποιεί τον βοηθό.",
+ "turns_on_the_helper": "Ενεργοποιεί τον βοηθό.",
+ "pauses_the_mowing_task": "Θέτει σε παύση την εργασία κουρέματος.",
+ "starts_the_mowing_task": "Ξεκινά την εργασία κουρέματος.",
+ "creates_a_new_backup": "Δημιουργεί ένα νέο αντίγραφο ασφαλείας.",
+ "sets_the_value": "Ορίζει την τιμή.",
+ "enter_your_text": "Εισάγετε το κείμενό σας.",
+ "set_value": "Ορισμός τιμής",
+ "clear_lock_user_code_description": "Διαγράφει έναν κωδικό χρήστη από μια κλειδαριά.",
+ "code_slot_description": "Υποδοχή κωδικού για να ορίσετε τον κωδικό.",
+ "code_slot": "Υποδοχή κωδικού",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Ορίσματα που θα περαστούν στην εντολή",
+ "args": "Ορισμ.",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Εντολή(ες) για αποστολή στο Google Assistant.",
+ "command": "Εντολή",
+ "command_type_description": "Ο τύπος της εντολής που πρέπει να μάθει.",
+ "command_type": "Τύπος εντολής",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "ID τελικού σημείου",
+ "ieee_description": "Διεύθυνση IEEE για τη συσκευή.",
+ "ieee": "IEEE",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Παράμετροι",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Δεκαεξαδική διεύθυνση της ομάδας.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Κωδικός εγκατάστασης",
+ "qr_code": "Κωδικός QR",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Επαναδιαμόρφωση συσκευής",
+ "remove_description": "Αφαιρεί έναν κόμβο από το δίκτυο Zigbee.",
+ "set_lock_user_code_description": "Ορίζει έναν κωδικό χρήστη σε μια κλειδαριά.",
+ "code_to_set": "Κωδικός για ορισμό.",
+ "set_lock_user_code": "Ρύθμιση κωδικού χρήστη κλειδαριάς",
+ "attribute_description": "ID του χαρακτηριστικού που πρέπει να οριστεί.",
+ "value_description": "Η τιμή-στόχος που πρέπει να οριστεί.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Επίπεδο",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Κύκλος λειτουργίας",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Απόρριψη καταγραφής αντικειμένων",
"log_current_tasks_description": "Καταγράφει όλες τις τρέχουσες εργασίες asyncio.",
"log_current_asyncio_tasks": "Καταγραφή τρεχουσών εργασιών asyncio",
@@ -3260,27 +3478,295 @@
"stop_logging_object_sources": "Διακοπή καταγραφής πηγών αντικειμένων",
"stop_log_objects_description": "Διακόπτει την καταγραφή της αύξησης των αντικειμένων στη μνήμη.",
"stop_logging_objects": "Διακοπή καταγραφής αντικειμένων",
+ "set_default_level_description": "Ορίζει το προεπιλεγμένο επίπεδο καταγραφής για τις ενσωματώσεις.",
+ "level_description": "Προεπιλεγμένο επίπεδο σοβαρότητας για όλες τις ενσωματώσεις.",
+ "set_default_level": "Ορισμός προεπιλεγμένου επιπέδου",
+ "set_level": "Ορισμός επιπέδου",
+ "stops_a_running_script": "Διακόπτει ένα σενάριο που εκτελείται.",
+ "clear_skipped_update": "Διαγραφή ενημέρωσης που παραλείφθηκε",
+ "install_update": "Εγκατάσταση ενημέρωσης",
+ "skip_description": "Σημειώνει την τρέχουσα διαθέσιμη ενημέρωση ως παραλειφθείσα.",
+ "skip_update": "Παράλειψη ενημέρωσης",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Μείωση της ταχύτητας",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Αύξηση της ταχύτητας",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Ρύθμιση κατεύθυνσης",
+ "set_percentage_description": "Ρυθμίζει την ταχύτητα ενός ανεμιστήρα.",
+ "speed_of_the_fan": "Ταχύτητα του ανεμιστήρα.",
+ "percentage": "Ποσοστό",
+ "set_speed": "Ρύθμιση ταχύτητας",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Προκαθορισμένη λειτουργία.",
+ "set_preset_mode": "Ορισμός προκαθορισμένης λειτουργίας",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Απενεργοποιεί τον ανεμιστήρα.",
+ "turns_fan_on": "Ενεργοποιεί τον ανεμιστήρα.",
+ "set_datetime_description": "Ορίζει την ημερομηνία ή/και την ώρα.",
+ "the_target_date": "Η ημερομηνία-στόχος.",
+ "datetime_description": "Η ημερομηνία και ώρα στόχος.",
+ "date_time": "Ημερομηνία & ώρα",
+ "the_target_time": "Η ώρα-στόχος.",
+ "log_description": "Δημιουργεί μια προσαρμοσμένη καταχώρηση στο ημερολόγιο.",
+ "entity_id_description": "Προγράμματα αναπαραγωγής πολυμέσων για αναπαραγωγή του μηνύματος.",
+ "message_description": "Σώμα μηνύματος της ειδοποίησης.",
+ "log": "Αρχείο καταγραφής",
+ "request_sync_description": "Στέλνει μια εντολή request_sync στην Google.",
+ "agent_user_id": "Αναγνωριστικό χρήστη πράκτορα",
+ "request_sync": "Αίτημα συγχρονισμού",
+ "apply_description": "Ενεργοποιεί μια σκηνή με διαμόρφωση.",
+ "entities_description": "Λίστα οντοτήτων και της κατάστασης-στόχου τους.",
+ "entities_state": "Κατάσταση οντοτήτων",
+ "creates_a_new_scene": "Δημιουργεί μια νέα σκηνή.",
+ "entity_states": "Entity states",
+ "scene_id_description": "Το ID οντότητας της νέας σκηνής.",
+ "scene_entity_id": "ID οντότητας σκηνής",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Διαγράφει μια δυναμικά δημιουργημένη σκηνή.",
+ "activates_a_scene": "Ενεργοποιεί μια σκηνή.",
"reload_themes_description": "Επαναφορτώνει τα θέματα από τη διαμόρφωση YAML.",
"reload_themes": "Επαναφόρτωση θεμάτων",
"name_of_a_theme": "Ονομα ενός θέματος.",
"set_the_default_theme": "Ορισμός του προεπιλεγμένου θέματος",
+ "decrement_description": "Μειώνει την τρέχουσα τιμή κατά 1.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Ορίζει την τιμή ενός αριθμού.",
+ "check_configuration": "Ελεγχος διαμόρφωσης",
+ "reload_all": "Επαναφόρτωση όλων",
+ "reload_config_entry_description": "Επαναφέρει την καθορισμένη καταχώρηση ρυθμίσεων.",
+ "config_entry_id": "Αναγνωριστικό διαμόρφωσης καταχώρησης",
+ "reload_config_entry": "Επαναφόρτωση καταχώρησης ρυθμίσεων",
+ "reload_core_config_description": "Επαναφορτώνει την βασική διαμόρφωση από τη διαμόρφωση YAML.",
+ "reload_core_configuration": "Επαναφόρτωση της διαμόρφωσης του πυρήνα",
+ "reload_custom_jinja_templates": "Επαναφόρτωση προσαρμοσμένων προτύπων Jinja2",
+ "restarts_home_assistant": "Επανεκκίνηση του Home Assistant.",
+ "safe_mode_description": "Απενεργοποίηση των προσαρμοσμένων ενσωματώσεων και των προσαρμοσμένων καρτών.",
+ "save_persistent_states": "Αποθήκευση μόνιμων καταστάσεων",
+ "set_location_description": "Ενημερώνει τη θέση του Home Assistant.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Γεωγραφικό πλάτος της τοποθεσίας σας.",
+ "longitude_of_your_location": "Γεωγραφικό μήκος της τοποθεσίας σας.",
+ "set_location": "Ορισμός τοποθεσίας",
+ "stops_home_assistant": "Σταματάει το Home Assistant.",
+ "generic_toggle": "Γενικός διακόπτης",
+ "generic_turn_off": "Γενική απενεργοποίηση",
+ "generic_turn_on": "Γενική ενεργοποίηση",
+ "entities_to_update": "Οντότητες προς ενημέρωση",
+ "update_entity": "Ενημέρωση οντότητας",
+ "notify_description": "Στέλνει ένα μήνυμα ειδοποίησης σε επιλεγμένους προορισμούς.",
+ "data": "Δεδομένα",
+ "title_for_your_notification": "Τίτλος για την ειδοποίησή σας.",
+ "title_of_the_notification": "Τίτλος της ειδοποίησης",
+ "send_a_persistent_notification": "Αποστολή μόνιμης ειδοποίησης",
+ "sends_a_notification_message": "Στέλνει ένα μήνυμα ειδοποίησης.",
+ "your_notification_message": "Το μήνυμα ειδοποίησής σας.",
+ "title_description": "Προαιρετικός τίτλος της ειδοποίησης.",
+ "send_a_notification_message": "Αποστολή μηνύματος ειδοποίησης",
+ "send_magic_packet": "Αποστολή μαγικού πακέτου",
+ "topic_to_listen_to": "Topic to listen to.",
+ "export": "Εξαγωγή",
+ "publish_description": "Δημοσιεύει ένα μήνυμα σε ένα θέμα MQTT.",
+ "evaluate_payload": "Αξιολόγηση ωφέλιμου φορτίου",
+ "the_payload_to_publish": "Ωφέλιμο φορτίο προς δημοσίευση.",
+ "payload": "Ωφέλιμο φορτίο",
+ "payload_template": "Πρότυπο ωφέλιμου φορτίου",
+ "qos": "QoS (Ποιότητα Υπηρεσίας)",
+ "retain": "Διατήρηση",
+ "topic_to_publish_to": "Θέμα για δημοσίευση.",
+ "publish": "Δημοσίευση",
+ "load_url_description": "Φορτώνει μια διεύθυνση URL στο Fully Kiosk Browser.",
+ "url_to_load": "Διεύθυνση URL για φόρτωση",
+ "load_url": "Φόρτωση URL",
+ "configuration_parameter_to_set": "Παράμετρος διαμόρφωσης για ρύθμιση.",
+ "key": "Κλειδί",
+ "set_configuration": "Ορισμός διαμόρφωσης",
+ "application_description": "Ονομα του πακέτου της εφαρμογής που θα ξεκινήσει.",
+ "start_application": "Εκκίνηση εφαρμογής",
+ "battery_description": "Επίπεδο μπαταρίας της συσκευής.",
+ "gps_coordinates": "Συντεταγμένες GPS",
+ "gps_accuracy_description": "Ακρίβεια των συντεταγμένων GPS.",
+ "hostname_of_the_device": "Ονομα κεντρικού υπολογιστή της συσκευής.",
+ "hostname": "Ονομα κεντρικού υπολογιστή",
+ "mac_description": "Διεύθυνση MAC της συσκευής.",
+ "see": "Κοίτα",
+ "device_description": "ID συσκευής για αποστολή εντολής.",
+ "delete_command": "Διαγραφή εντολής",
+ "alternative": "Εναλλακτική",
+ "timeout_description": "Χρονικό όριο για την εκμάθηση της εντολής.",
+ "learn_command": "Εκμάθηση εντολής",
+ "delay_seconds": "Δευτερόλεπτα καθυστέρησης",
+ "hold_seconds": "Δευτερόλεπτα αναμονής",
+ "send_command": "Αποστολή εντολής",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Ξεκινά μια νέα εργασία καθαρισμού.",
+ "get_weather_forecast": "Λάβετε πρόγνωση καιρού.",
+ "type_description": "Τύπος πρόβλεψης: ημερήσια, ωριαία ή δύο φορές την ημέρα.",
+ "forecast_type": "Τύπος πρόβλεψης",
+ "get_forecast": "Λήψη πρόβλεψης",
+ "get_weather_forecasts": "Λάβετε προγνώσεις καιρού.",
+ "get_forecasts": "Λήψη προβλέψεων",
+ "press_the_button_entity": "Πάτημα οντότητας κουμπιού.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "ID ειδοποίησης",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Εντοπίζει τη σκούπα ρομπότ.",
+ "pauses_the_cleaning_task": "Διακόπτει την εργασία καθαρισμού.",
+ "send_command_description": "Στέλνει μια εντολή στην ηλεκτρική σκούπα.",
+ "set_fan_speed": "Ρύθμιση ταχύτητας ανεμιστήρα",
+ "start_description": "Ξεκινά ή συνεχίζει την εργασία καθαρισμού.",
+ "start_pause_description": "Ξεκινά, διακόπτει προσωρινά ή συνεχίζει την εργασία καθαρισμού.",
+ "stop_description": "Διακόπτει την τρέχουσα εργασία καθαρισμού.",
+ "toggle_description": "Ενεργοποιεί/απενεργοποιεί μια συσκευή αναπαραγωγής πολυμέσων.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Κουδούνισμα-στόχος",
+ "ringtone_to_play": "Ηχος κουδουνίσματος για αναπαραγωγή.",
+ "ringtone": "Ηχος κουδουνίσματος",
+ "play_chime": "Αναπαραγωγή κουδουνίσματος",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "Ταχύτητα κίνησης PTZ.",
+ "ptz_move": "Κίνηση PTZ",
+ "disables_the_motion_detection": "Απενεργοποιεί την ανίχνευση κίνησης.",
+ "disable_motion_detection": "Απενεργοποίηση ανίχνευσης κίνησης",
+ "enables_the_motion_detection": "Ενεργοποιεί την ανίχνευση κίνησης.",
+ "enable_motion_detection": "Ενεργοποίηση ανίχνευσης κίνησης",
+ "format_description": "Μορφή ροής που υποστηρίζεται από το πρόγραμμα αναπαραγωγής πολυμέσων.",
+ "format": "Μορφή",
+ "media_player_description": "Προγράμματα αναπαραγωγής πολυμέσων για αναπαραγωγή ροής.",
+ "play_stream": "Αναπαραγωγή ροής",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Ονομα αρχείου",
+ "lookback": "Αναδρομή",
+ "snapshot_description": "Λαμβάνει ένα στιγμιότυπο από μια φωτογραφική μηχανή.",
+ "full_path_to_filename": "Full path to filename.",
+ "turns_off_the_camera": "Απενεργοποιεί την κάμερα.",
+ "turns_on_the_camera": "Ενεργοποιεί την κάμερα.",
+ "reload_resources_description": "Επαναφορτώνει τους πόρους του ταμπλό από τη διαμόρφωση YAML.",
"clear_tts_cache": "Εκκαθάριση προσωρινής μνήμης κειμένου σε ομιλία",
"cache": "Κρυφή μνήμη",
"language_description": "Γλώσσα κειμένου. Προεπιλογές στη γλώσσα διακομιστή.",
"options_description": "Ενα λεξικό που περιέχει συγκεκριμένες επιλογές ενσωμάτωσης.",
"say_a_tts_message": "Εκφώνηση ενός μηνύματος κειμένου σε ομιλία",
- "media_player_entity_id_description": "Προγράμματα αναπαραγωγής πολυμέσων για αναπαραγωγή του μηνύματος.",
"media_player_entity": "Οντότητα αναπαραγωγής πολυμέσων",
"speak": "Εκφώνηση",
- "reload_resources_description": "Επαναφορτώνει τους πόρους του ταμπλό από τη διαμόρφωση YAML.",
- "toggles_the_siren_on_off": "Ενεργοποιεί/απενεργοποιεί τη σειρήνα.",
- "turns_the_siren_off": "Απενεργοποιεί τη σειρήνα.",
- "turns_the_siren_on": "Ενεργοποιεί τη σειρήνα.",
- "toggles_the_helper_on_off": "Ενεργοποιεί/απενεργοποιεί τον βοηθό.",
- "turns_off_the_helper": "Απενεργοποιεί τον βοηθό.",
- "turns_on_the_helper": "Ενεργοποιεί τον βοηθό.",
- "pauses_the_mowing_task": "Θέτει σε παύση την εργασία κουρέματος.",
- "starts_the_mowing_task": "Ξεκινά την εργασία κουρέματος.",
+ "send_text_command": "Αποστολή εντολής κειμένου",
+ "the_target_value": "Η τιμή-στόχος.",
+ "removes_a_group": "Καταργεί μια ομάδα.",
+ "object_id": "ID αντικειμένου",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Προσθήκη οντοτήτων",
+ "icon_description": "Ονομα του εικονιδίου για την ομάδα.",
+ "name_of_the_group": "Ονομα της ομάδας.",
+ "remove_entities": "Αφαίρεση οντοτήτων",
+ "locks_a_lock": "Κλειδώνει μια κλειδαριά.",
+ "code_description": "Κωδικός για όπλιση του συναγερμού.",
+ "opens_a_lock": "Ανοίγει μια κλειδαριά.",
+ "unlocks_a_lock": "Ξεκλειδώνει μια κλειδαριά.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Ανακοίνωση",
+ "reloads_the_automation_configuration": "Επαναφορτώνει τη διαμόρφωση του αυτοματισμού.",
+ "trigger_description": "Πυροδοτεί τις ενέργειες ενός αυτοματισμού.",
+ "skip_conditions": "Παράβλεψη συνθηκών",
+ "trigger": "Εναυσμα",
+ "disables_an_automation": "Απενεργοποιεί έναν αυτοματισμό.",
+ "stops_currently_running_actions": "Διακόπτει τις ενέργειες που εκτελούνται αυτή τη στιγμή.",
+ "stop_actions": "Διακοπή ενεργειών",
+ "enables_an_automation": "Ενεργοποιεί έναν αυτοματισμό.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Εγγραφή καταχώρησης αρχείου καταγραφής.",
+ "log_level": "Επίπεδο καταγραφής.",
+ "message_to_log": "Μήνυμα για καταγραφή.",
+ "dashboard_path": "Διαδρομή ταμπλό",
+ "view_path": "Διαδρομή προβολής",
+ "show_dashboard_view": "Εμφάνιση προβολής ταμπλό",
+ "process_description": "Εκκινεί μια συνομιλία από ένα απομαγνητοφωνημένο κείμενο.",
+ "agent": "Πράκτορας",
+ "conversation_id": "ID συνομιλίας",
+ "transcribed_text_input": "Εισαγωγή μεταγραμμένου κειμένου.",
+ "process": "Διαδικασία",
+ "reloads_the_intent_configuration": "Επαναφέρει τη διαμόρφωση του intent.",
+ "conversation_agent_to_reload": "Πράκτορας συνομιλίας για επαναφόρτωση.",
+ "closes_a_cover": "Κατεβάζει ένα ρολό.",
+ "close_cover_tilt_description": "ΚΛείνει τις περσίδες ενός ρολού",
+ "opens_a_cover": "Ανεβάζει ένα ρολό.",
+ "tilts_a_cover_open": "Ανοίγει τις περσίδες ενός ρολού",
+ "set_cover_position_description": "Κινεί ένα ρολό σε μια συγκεκριμένη θέση.",
+ "target_position": "Θέση-στόχος.",
+ "set_position": "Ορισμός θέσης",
+ "target_tilt_positition": "Θέση κλίσης στόχος.",
+ "set_tilt_position": "Ορισμός θέσης κλίσης",
+ "stops_the_cover_movement": "Σταματά την κίνηση του ρολού.",
+ "stop_cover_tilt_description": "Σταματά την κίνηση του ρολού κατά το άνοιγμα/κλείσιμο των περσίδων του.",
+ "stop_tilt": "Διακοπή κλίσης",
+ "toggles_a_cover_open_closed": "Ανεβάζει/κατεβάζει ένα ρολό.",
+ "toggle_cover_tilt_description": "Ανοίγει/κλείνει τις περσίδες ενός ρολού.",
+ "toggle_tilt": "Εναλλαγή κλίσης",
+ "turns_auxiliary_heater_on_off": "Ενεργοποιεί/απενεργοποιεί τη βοηθητική θέρμανση.",
+ "aux_heat_description": "Νέα τιμή του βοηθητικού θερμαντήρα.",
+ "turn_on_off_auxiliary_heater": "Ενεργοποίηση/απενεργοποίηση της βοηθητικής θέρμανσης",
+ "sets_fan_operation_mode": "Ορίζει τον τρόπο λειτουργίας του ανεμιστήρα.",
+ "fan_operation_mode": "Τρόπος λειτουργίας ανεμιστήρα.",
+ "set_fan_mode": "Ορισμός λειτουργίας ανεμιστήρα.",
+ "sets_target_humidity": "Ορίζει την υγρασία-στόχο.",
+ "set_target_humidity": "Ορισμός υγρασίας-στόχου",
+ "sets_hvac_operation_mode": "Ορίζει τον τρόπο λειτουργίας κλιματισμού.",
+ "hvac_operation_mode": "Τρόπος λειτουργίας κλιματισμού",
+ "set_hvac_mode": "Ρύθμιση λειτουργίας κλιματισμού",
+ "sets_preset_mode": "Ορίζει την προκαθορισμένη λειτουργία.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Ρυθμίζει τον τρόπο λειτουργίας ταλάντευσης.",
+ "swing_operation_mode": "Τρόπος λειτουργίας ταλάντευσης.",
+ "set_swing_mode": "Ρύθμιση λειτουργίας ταλάντευσης",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Ορισμός θερμοκρασίας-στόχου",
+ "turns_climate_device_off": "Απενεργοποιεί τη συσκευή κλίματος.",
+ "turns_climate_device_on": "Ενεργοποιεί τη συσκευή κλίματος.",
+ "apply_filter": "Εφαρμογή φίλτρου",
+ "days_to_keep": "Ημέρες προς διατήρηση",
+ "repack": "Επανασυσκευασία",
+ "purge": "Εκκαθάριση",
+ "domains_to_remove": "Τομείς προς κατάργηση",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Οντότητες προς κατάργηση",
+ "purge_entities": "Εκκαθάριση οντοτήτων",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Εκκαθάριση λίστας αναπαραγωγής",
+ "selects_the_next_track": "Επιλέγει το επόμενο κομμάτι.",
+ "pauses": "Κάνει παύση",
+ "starts_playing": "Ξεκινά την αναπαραγωγή.",
+ "toggles_play_pause": "Εναλλαγή αναπαραγωγής/παύσης.",
+ "selects_the_previous_track": "Επιλέγει το προηγούμενο κομμάτι.",
+ "seek": "Αναζήτηση",
+ "stops_playing": "Διακόπτει την αναπαραγωγή.",
+ "starts_playing_specified_media": "Ξεκινά την αναπαραγωγή των καθορισμένων πολυμέσων.",
+ "repeat_mode_to_set": "Λειτουργία επανάληψης για ορισμό.",
+ "select_sound_mode_description": "Επιλέγει μια συγκεκριμένη λειτουργία ήχου.",
+ "select_sound_mode": "Επιλέξτε λειτουργία ήχου",
+ "select_source": "Επιλέξτε πηγή",
+ "shuffle_description": "Εάν είναι ενεργοποιημένη ή όχι η λειτουργία τυχαίας αναπαραγωγής.",
+ "unjoin": "Αποσύνδεση",
+ "turns_down_the_volume": "Χαμηλώνει την ένταση του ήχου.",
+ "volume_mute_description": "Σίγαση ή κατάργηση σίγασης της συσκευής αναπαραγωγής πολυμέσων.",
+ "is_volume_muted_description": "Καθορίζει εάν είναι σε σίγαση ή όχι.",
+ "mute_unmute_volume": "Σίγαση/κατάργηση σίγασης έντασης",
+ "sets_the_volume_level": "Ρυθμίζει το επίπεδο έντασης.",
+ "set_volume": "Ρύθμιση έντασης",
+ "turns_up_the_volume": "Αυξάνει την ένταση του ήχου.",
"restarts_an_add_on": "Κάνει επανεκκίνηση ενός πρόσθετου.",
"the_add_on_to_restart": "Το πρόσθετο για επανεκκίνηση.",
"restart_add_on": "Restart add-on",
@@ -3319,40 +3805,6 @@
"restore_partial_description": "Επαναφορά από ένα μερικό αντίγραφο ασφαλείας.",
"restores_home_assistant": "Επαναφέρει το Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Μείωση της ταχύτητας",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Αύξηση της ταχύτητας",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Ρύθμιση κατεύθυνσης",
- "set_percentage_description": "Ρυθμίζει την ταχύτητα ενός ανεμιστήρα.",
- "speed_of_the_fan": "Ταχύτητα του ανεμιστήρα.",
- "percentage": "Ποσοστό",
- "set_speed": "Ρύθμιση ταχύτητας",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Προκαθορισμένη λειτουργία.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Απενεργοποιεί τον ανεμιστήρα.",
- "turns_fan_on": "Ενεργοποιεί τον ανεμιστήρα.",
- "get_weather_forecast": "Λάβετε πρόγνωση καιρού.",
- "type_description": "Τύπος πρόβλεψης: ημερήσια, ωριαία ή δύο φορές την ημέρα.",
- "forecast_type": "Τύπος πρόβλεψης",
- "get_forecast": "Λήψη πρόβλεψης",
- "get_weather_forecasts": "Λάβετε προγνώσεις καιρού.",
- "get_forecasts": "Λήψη προβλέψεων",
- "clear_skipped_update": "Διαγραφή ενημέρωσης που παραλείφθηκε",
- "install_update": "Εγκατάσταση ενημέρωσης",
- "skip_description": "Σημειώνει την τρέχουσα διαθέσιμη ενημέρωση ως παραλειφθείσα.",
- "skip_update": "Παράλειψη ενημέρωσης",
- "code_description": "Κωδικός που χρησιμοποιείται για το ξεκλείδωμα της κλειδαριάς.",
- "arm_with_custom_bypass": "Οπλισμός με προσαρμοσμένη παράκαμψη",
- "alarm_arm_vacation_description": "Ρυθμίζει τον συναγερμό σε: _οπλισμένος για διακοπές_.",
- "disarms_the_alarm": "Απενεργοποιεί το συναγερμό.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Πυροδότηση",
"selects_the_first_option": "Επιλέγει την πρώτη επιλογή.",
"first": "Πρώτη",
"selects_the_last_option": "Επιλέγει την τελευταία επιλογή.",
@@ -3360,72 +3812,16 @@
"selects_an_option": "Επιλέγει μια επιλογή.",
"option_to_be_selected": "Επιλογή που θα επιλεγεί.",
"selects_the_previous_option": "Επιλέγει την προηγούμενη επιλογή.",
- "disables_the_motion_detection": "Απενεργοποιεί την ανίχνευση κίνησης.",
- "disable_motion_detection": "Απενεργοποίηση ανίχνευσης κίνησης",
- "enables_the_motion_detection": "Ενεργοποιεί την ανίχνευση κίνησης.",
- "enable_motion_detection": "Ενεργοποίηση ανίχνευσης κίνησης",
- "format_description": "Μορφή ροής που υποστηρίζεται από το πρόγραμμα αναπαραγωγής πολυμέσων.",
- "format": "Μορφή",
- "media_player_description": "Προγράμματα αναπαραγωγής πολυμέσων για αναπαραγωγή ροής.",
- "play_stream": "Αναπαραγωγή ροής",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Ονομα αρχείου",
- "lookback": "Αναδρομή",
- "snapshot_description": "Λαμβάνει ένα στιγμιότυπο από μια φωτογραφική μηχανή.",
- "full_path_to_filename": "Full path to filename.",
- "turns_off_the_camera": "Απενεργοποιεί την κάμερα.",
- "turns_on_the_camera": "Ενεργοποιεί την κάμερα.",
- "press_the_button_entity": "Πάτημα οντότητας κουμπιού.",
+ "create_event_description": "Adds a new calendar event.",
+ "location_description": "Η τοποθεσία του συμβάντος. Προαιρετικά.",
"start_date_description": "Η ημερομηνία έναρξης ενός ολοήμερου συμβάντος.",
+ "create_event": "Create event",
"get_events": "Λήψη συμβάντων",
- "sets_the_options": "Ορίζει τις επιλογές.",
- "list_of_options": "Λίστα επιλογών.",
- "set_options": "Ορισμός επιλογών",
- "closes_a_cover": "Κατεβάζει ένα ρολό.",
- "close_cover_tilt_description": "ΚΛείνει τις περσίδες ενός ρολού",
- "opens_a_cover": "Ανεβάζει ένα ρολό.",
- "tilts_a_cover_open": "Ανοίγει τις περσίδες ενός ρολού",
- "set_cover_position_description": "Κινεί ένα ρολό σε μια συγκεκριμένη θέση.",
- "target_tilt_positition": "Θέση κλίσης στόχος.",
- "set_tilt_position": "Ορισμός θέσης κλίσης",
- "stops_the_cover_movement": "Σταματά την κίνηση του ρολού.",
- "stop_cover_tilt_description": "Σταματά την κίνηση του ρολού κατά το άνοιγμα/κλείσιμο των περσίδων του.",
- "stop_tilt": "Διακοπή κλίσης",
- "toggles_a_cover_open_closed": "Ανεβάζει/κατεβάζει ένα ρολό.",
- "toggle_cover_tilt_description": "Ανοίγει/κλείνει τις περσίδες ενός ρολού.",
- "toggle_tilt": "Εναλλαγή κλίσης",
- "request_sync_description": "Στέλνει μια εντολή request_sync στην Google.",
- "agent_user_id": "Αναγνωριστικό χρήστη πράκτορα",
- "request_sync": "Αίτημα συγχρονισμού",
- "log_description": "Δημιουργεί μια προσαρμοσμένη καταχώρηση στο ημερολόγιο.",
- "message_description": "Σώμα μηνύματος της ειδοποίησης.",
- "log": "Αρχείο καταγραφής",
- "enter_your_text": "Εισάγετε το κείμενό σας.",
- "set_value": "Ορισμός τιμής",
- "topic_to_listen_to": "Topic to listen to.",
- "export": "Εξαγωγή",
- "publish_description": "Δημοσιεύει ένα μήνυμα σε ένα θέμα MQTT.",
- "evaluate_payload": "Αξιολόγηση ωφέλιμου φορτίου",
- "the_payload_to_publish": "Ωφέλιμο φορτίο προς δημοσίευση.",
- "payload": "Ωφέλιμο φορτίο",
- "payload_template": "Πρότυπο ωφέλιμου φορτίου",
- "qos": "QoS (Ποιότητα Υπηρεσίας)",
- "retain": "Διατήρηση",
- "topic_to_publish_to": "Θέμα για δημοσίευση.",
- "publish": "Δημοσίευση",
- "reloads_the_automation_configuration": "Επαναφορτώνει τη διαμόρφωση του αυτοματισμού.",
- "trigger_description": "Πυροδοτεί τις ενέργειες ενός αυτοματισμού.",
- "skip_conditions": "Παράβλεψη συνθηκών",
- "disables_an_automation": "Απενεργοποιεί έναν αυτοματισμό.",
- "stops_currently_running_actions": "Διακόπτει τις ενέργειες που εκτελούνται αυτή τη στιγμή.",
- "stop_actions": "Διακοπή ενεργειών",
- "enables_an_automation": "Ενεργοποιεί έναν αυτοματισμό.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Ορίζει το προεπιλεγμένο επίπεδο καταγραφής για τις ενσωματώσεις.",
- "level_description": "Προεπιλεγμένο επίπεδο σοβαρότητας για όλες τις ενσωματώσεις.",
- "set_default_level": "Ορισμός προεπιλεγμένου επιπέδου",
- "set_level": "Ορισμός επιπέδου",
+ "closes_a_valve": "Κλείνει μια βαλβίδα.",
+ "opens_a_valve": "Ανοίγει μια βαλβίδα.",
+ "set_valve_position_description": "Μετακινεί μια βαλβίδα σε μια συγκεκριμένη θέση.",
+ "stops_the_valve_movement": "Σταματά την κίνηση της βαλβίδας.",
+ "toggles_a_valve_open_closed": "Ανοίγει/κλείνει μια βαλβίδα.",
"bridge_identifier": "Αναγνωριστικό bridge",
"configuration_payload": "Ωφέλιμο φορτίο διαμόρφωσης",
"entity_description": "Αντιπροσωπεύει ένα συγκεκριμένο τελικό σημείο συσκευής στο deCONZ.",
@@ -3433,81 +3829,32 @@
"device_refresh_description": "Ανανεώνει τις διαθέσιμες συσκευές από την deCONZ.",
"device_refresh": "Ανανέωση συσκευής",
"remove_orphaned_entries": "Αφαίρεση ορφανών καταχωρήσεων",
- "locate_description": "Εντοπίζει τη σκούπα ρομπότ.",
- "pauses_the_cleaning_task": "Διακόπτει την εργασία καθαρισμού.",
- "send_command_description": "Στέλνει μια εντολή στην ηλεκτρική σκούπα.",
- "command_description": "Εντολή(ες) για αποστολή στο Google Assistant.",
- "parameters": "Παράμετροι",
- "set_fan_speed": "Ρύθμιση ταχύτητας ανεμιστήρα",
- "start_description": "Ξεκινά ή συνεχίζει την εργασία καθαρισμού.",
- "start_pause_description": "Ξεκινά, διακόπτει προσωρινά ή συνεχίζει την εργασία καθαρισμού.",
- "stop_description": "Διακόπτει την τρέχουσα εργασία καθαρισμού.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Ενεργοποιεί/απενεργοποιεί έναν διακόπτη.",
- "turns_a_switch_off": "Απενεργοποιεί έναν διακόπτη.",
- "turns_a_switch_on": "Ενεργοποιεί έναν διακόπτη.",
+ "add_event_description": "Προσθέτει ένα νέο συμβάν ημερολογίου.",
+ "calendar_id_description": "Το ID του ημερολογίου που θέλετε.",
+ "calendar_id": "Αναγνωριστικό ημερολογίου",
+ "description_description": "Η περιγραφή του συμβάντος. Προαιρετικά.",
+ "summary_description": "Λειτουργεί ως τίτλος του συμβάντος.",
"extract_media_url_description": "Εξαγωγή URL πολυμέσων από μια υπηρεσία.",
"format_query": "Μορφοποίηση ερωτήματος",
"url_description": "URL όπου μπορούν να βρεθούν τα πολυμέσα.",
"media_url": "URL πολυμέσων",
"get_media_url": "Λήψη URL πολυμέσων",
"play_media_description": "Λήψη αρχείου από τη δεδομένη διεύθυνση URL.",
- "notify_description": "Στέλνει ένα μήνυμα ειδοποίησης σε επιλεγμένους προορισμούς.",
- "data": "Δεδομένα",
- "title_for_your_notification": "Τίτλος για την ειδοποίησή σας.",
- "title_of_the_notification": "Τίτλος της ειδοποίησης",
- "send_a_persistent_notification": "Αποστολή μόνιμης ειδοποίησης",
- "sends_a_notification_message": "Στέλνει ένα μήνυμα ειδοποίησης.",
- "your_notification_message": "Το μήνυμα ειδοποίησής σας.",
- "title_description": "Προαιρετικός τίτλος της ειδοποίησης.",
- "send_a_notification_message": "Αποστολή μηνύματος ειδοποίησης",
- "process_description": "Εκκινεί μια συνομιλία από ένα απομαγνητοφωνημένο κείμενο.",
- "agent": "Πράκτορας",
- "conversation_id": "ID συνομιλίας",
- "transcribed_text_input": "Εισαγωγή μεταγραμμένου κειμένου.",
- "process": "Διαδικασία",
- "reloads_the_intent_configuration": "Επαναφέρει τη διαμόρφωση του intent.",
- "conversation_agent_to_reload": "Πράκτορας συνομιλίας για επαναφόρτωση.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Κουδούνισμα-στόχος",
- "ringtone_to_play": "Ηχος κουδουνίσματος για αναπαραγωγή.",
- "ringtone": "Ηχος κουδουνίσματος",
- "play_chime": "Αναπαραγωγή κουδουνίσματος",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "Ταχύτητα κίνησης PTZ.",
- "ptz_move": "Κίνηση PTZ",
- "send_magic_packet": "Αποστολή μαγικού πακέτου",
- "send_text_command": "Αποστολή εντολής κειμένου",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Εγγραφή καταχώρησης αρχείου καταγραφής.",
- "log_level": "Επίπεδο καταγραφής.",
- "message_to_log": "Μήνυμα για καταγραφή.",
- "locks_a_lock": "Κλειδώνει μια κλειδαριά.",
- "opens_a_lock": "Ανοίγει μια κλειδαριά.",
- "unlocks_a_lock": "Ξεκλειδώνει μια κλειδαριά.",
- "removes_a_group": "Καταργεί μια ομάδα.",
- "object_id": "ID αντικειμένου",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Προσθήκη οντοτήτων",
- "icon_description": "Ονομα του εικονιδίου για την ομάδα.",
- "name_of_the_group": "Ονομα της ομάδας.",
- "remove_entities": "Αφαίρεση οντοτήτων",
- "stops_a_running_script": "Διακόπτει ένα σενάριο που εκτελείται.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "ID ειδοποίησης",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Φορτώνει μια διεύθυνση URL στο Fully Kiosk Browser.",
- "url_to_load": "Διεύθυνση URL για φόρτωση",
- "load_url": "Φόρτωση URL",
- "configuration_parameter_to_set": "Παράμετρος διαμόρφωσης για ρύθμιση.",
- "key": "Κλειδί",
- "set_configuration": "Ορισμός διαμόρφωσης",
- "application_description": "Ονομα του πακέτου της εφαρμογής που θα ξεκινήσει.",
- "start_application": "Εκκίνηση εφαρμογής"
+ "sets_the_options": "Ορίζει τις επιλογές.",
+ "list_of_options": "Λίστα επιλογών.",
+ "set_options": "Ορισμός επιλογών",
+ "arm_with_custom_bypass": "Οπλισμός με προσαρμοσμένη παράκαμψη",
+ "alarm_arm_vacation_description": "Ρυθμίζει τον συναγερμό σε: _οπλισμένος για διακοπές_.",
+ "disarms_the_alarm": "Απενεργοποιεί το συναγερμό.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Ενεργοποιεί/απενεργοποιεί έναν διακόπτη.",
+ "turns_a_switch_off": "Απενεργοποιεί έναν διακόπτη.",
+ "turns_a_switch_on": "Ενεργοποιεί έναν διακόπτη."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/en-GB/en-GB.json b/packages/core/src/hooks/useLocale/locales/en-GB/en-GB.json
index 732df2e3..01d04fd2 100644
--- a/packages/core/src/hooks/useLocale/locales/en-GB/en-GB.json
+++ b/packages/core/src/hooks/useLocale/locales/en-GB/en-GB.json
@@ -753,7 +753,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Create backup before updating",
"update_instructions": "Update instructions",
"current_activity": "Current activity",
- "status": "Status",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Vacuum cleaner commands:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -872,7 +872,7 @@
"restart_home_assistant": "Restart Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Quick reload",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads helpers from the YAML-configuration.",
"reloading_configuration": "Reloading configuration",
"failed_to_reload_configuration": "Failed to reload configuration",
"restart_description": "Interrupts all running automations and scripts.",
@@ -902,8 +902,8 @@
"password": "Password",
"regex_pattern": "Regex pattern",
"used_for_client_side_validation": "Used for client-side validation",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Input field",
"slider": "Slider",
"step_size": "Step size",
@@ -1507,9 +1507,9 @@
"header_editor": "Header editor",
"footer_editor": "Footer editor",
"feature_editor": "Feature editor",
- "element_editor": "Éditeur d'élément",
+ "element_editor": "Element editor",
"heading_badge_editor": "Heading badge editor",
- "type_element_editor": "{type} editeur d'élément",
+ "type_element_editor": "{type} element editor",
"ui_panel_lovelace_editor_color_picker_colors_light_green": "Light Green",
"warning_attribute_not_found": "Attribute {attribute} not available in: {entity}",
"entity_not_available_entity": "Entity not available: {entity}",
@@ -1520,141 +1520,120 @@
"now": "Now",
"compare_data": "Compare data",
"reload_ui": "Reload UI",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "script": "Script",
+ "logger": "Logger",
"fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
+ "scene": "Scene",
"schedule": "Schedule",
- "automation": "Automation",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
- "android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
"home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climate",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
+ "android_tv_remote": "Android TV Remote",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "cover": "Cover",
- "ffmpeg": "FFmpeg",
- "samsungtv_smart": "SamsungTV Smart",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
"google_assistant_sdk": "Google Assistant SDK",
- "my_home_assistant": "My Home Assistant",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
- "profiler": "Profiler",
- "home_assistant_onboarding": "Home Assistant Onboarding",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Conversation",
+ "climate": "Climate",
+ "go_rtc": "go2rtc",
+ "intent": "Intent",
"recorder": "Recorder",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "lawn_mower": "Lawn mower",
- "input_boolean": "Input boolean",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "input_datetime": "Input datetime",
+ "timer": "Timer",
+ "switch": "Switch",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "thread": "Thread",
+ "configuration": "Configuration",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "restful_command": "RESTful Command",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "application_credentials": "Application Credentials",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "usb_discovery": "USB Discovery",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1683,6 +1662,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1708,31 +1688,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Next dawn",
- "next_dusk": "Next dusk",
- "next_midnight": "Next midnight",
- "next_noon": "Next noon",
- "next_rising": "Next rising",
- "next_setting": "Next setting",
- "solar_azimuth": "Solar azimuth",
- "solar_elevation": "Solar elevation",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1754,34 +1719,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronise devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Plugged in",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1855,6 +1862,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1905,7 +1913,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1922,6 +1929,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Next dawn",
+ "next_dusk": "Next dusk",
+ "next_midnight": "Next midnight",
+ "next_noon": "Next noon",
+ "next_rising": "Next rising",
+ "next_setting": "Next setting",
+ "solar_azimuth": "Solar azimuth",
+ "solar_elevation": "Solar elevation",
+ "solar_rising": "Solar rising",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1941,73 +1991,264 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Plugged in",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
- "device_trackers": "Device trackers",
- "gps_accuracy": "GPS accuracy",
- "paused": "Paused",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off colour",
+ "led_color_when_on_name": "Default all LED on colour",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED colour",
+ "on_led_color": "On LED colour",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
+ "color_mode": "Color Mode",
+ "brightness_only": "Brightness only",
+ "hs": "HS",
+ "rgb": "RGB",
+ "rgbw": "RGBW",
+ "rgbww": "RGBWW",
+ "xy": "XY",
+ "color_temperature_mireds": "Colour temperature (mireds)",
+ "color_temperature_kelvin": "Colour temperature (Kelvin)",
+ "available_effects": "Available effects",
+ "maximum_color_temperature_kelvin": "Maximum colour temperature (Kelvin)",
+ "maximum_color_temperature_mireds": "Maximum colour temperature (mireds)",
+ "minimum_color_temperature_kelvin": "Minimum colour temperature (Kelvin)",
+ "minimum_color_temperature_mireds": "Minimum colour temperature (mireds)",
+ "available_color_modes": "Available colour modes",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -2040,106 +2281,42 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Current humidity",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Current action",
- "cooling": "Cooling",
- "defrosting": "Defrosting",
- "drying": "Drying",
- "heating": "Heating",
- "preheating": "Preheating",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Both",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Not charging",
- "disconnected": "Disconnected",
- "connected": "Connected",
- "hot": "Hot",
- "no_light": "No light",
- "light_detected": "Light detected",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "Not moving",
- "unplugged": "Unplugged",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Above horizon",
- "below_horizon": "Below horizon",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
- "color_mode": "Color Mode",
- "brightness_only": "Brightness only",
- "hs": "HS",
- "rgb": "RGB",
- "rgbw": "RGBW",
- "rgbww": "RGBWW",
- "xy": "XY",
- "color_temperature_mireds": "Colour temperature (mireds)",
- "color_temperature_kelvin": "Colour temperature (Kelvin)",
- "available_effects": "Available effects",
- "maximum_color_temperature_kelvin": "Maximum colour temperature (Kelvin)",
- "maximum_color_temperature_mireds": "Maximum colour temperature (mireds)",
- "minimum_color_temperature_kelvin": "Minimum colour temperature (Kelvin)",
- "minimum_color_temperature_mireds": "Minimum colour temperature (mireds)",
- "available_color_modes": "Available colour modes",
- "available_tones": "Available tones",
+ "managed_via_ui": "Managed via UI",
+ "device_trackers": "Device trackers",
+ "gps_accuracy": "GPS accuracy",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Clear, night",
"cloudy": "Cloudy",
"exceptional": "Exceptional",
@@ -2162,26 +2339,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "disarming": "Disarming",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2190,65 +2350,114 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "locked": "Locked",
+ "unlocked": "Unlocked",
+ "members": "Members",
+ "jammed": "Jammed",
+ "locking": "Locking",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Current humidity",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Current action",
+ "cooling": "Cooling",
+ "defrosting": "Defrosting",
+ "drying": "Drying",
+ "heating": "Heating",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Both",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Not charging",
+ "disconnected": "Disconnected",
+ "connected": "Connected",
+ "hot": "Hot",
+ "no_light": "No light",
+ "light_detected": "Light detected",
+ "not_moving": "Not moving",
+ "unplugged": "Unplugged",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Above horizon",
+ "below_horizon": "Below horizon",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Disarming",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "minute": "Minute",
+ "second": "Second",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2259,27 +2468,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2287,68 +2498,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2375,48 +2545,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Bridge is already configured",
- "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Couldn't get an API key",
- "link_with_deconz": "Link with deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2424,119 +2593,152 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "Bridge is already configured",
+ "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Couldn't get an API key",
+ "link_with_deconz": "Link with deCONZ",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
"data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Enable birth message",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Enable will message",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
"abort_pending_tasks": "There are pending tasks. Try again later.",
"data_not_in_use": "Not in use with YAML",
"filter_with_country_code": "Filter with country code",
@@ -2545,7 +2747,7 @@
"data_appdaemon": "Enable AppDaemon apps discovery & tracking",
"side_panel_icon": "Side panel icon",
"side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
+ "language_code": "Language code",
"samsungtv_smart_options": "SamsungTV Smart options",
"data_use_st_status_info": "Use SmartThings TV Status information",
"data_use_st_channel_info": "Use SmartThings TV Channels information",
@@ -2573,28 +2775,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Enable birth message",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Enable will message",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2602,99 +2782,196 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
- "current_entity_name_apparent_power": "Current {entity_name} apparent power",
- "condition_type_is_aqi": "Current {entity_name} air quality index",
- "current_entity_name_area": "Current {entity_name} area",
- "current_entity_name_atmospheric_pressure": "Current {entity_name} atmospheric pressure",
- "current_entity_name_battery_level": "Current {entity_name} battery level",
- "condition_type_is_blood_glucose_concentration": "Current {entity_name} blood glucose concentration",
- "condition_type_is_carbon_dioxide": "Current {entity_name} carbon dioxide concentration level",
- "condition_type_is_carbon_monoxide": "Current {entity_name} carbon monoxide concentration level",
- "current_entity_name_conductivity": "Current {entity_name} conductivity",
- "current_entity_name_current": "Current {entity_name} current",
- "current_entity_name_data_rate": "Current {entity_name} data rate",
- "current_entity_name_data_size": "Current {entity_name} data size",
- "current_entity_name_distance": "Current {entity_name} distance",
- "current_entity_name_duration": "Current {entity_name} duration",
- "current_entity_name_energy": "Current {entity_name} energy",
- "current_entity_name_frequency": "Current {entity_name} frequency",
- "current_entity_name_gas": "Current {entity_name} gas",
- "current_entity_name_humidity": "Current {entity_name} humidity",
- "current_entity_name_illuminance": "Current {entity_name} illuminance",
- "current_entity_name_irradiance": "Current {entity_name} irradiance",
- "current_entity_name_moisture": "Current {entity_name} moisture",
- "current_entity_name_balance": "Current {entity_name} balance",
- "condition_type_is_nitrogen_dioxide": "Current {entity_name} nitrogen dioxide concentration level",
- "condition_type_is_nitrogen_monoxide": "Current {entity_name} nitrogen monoxide concentration level",
- "condition_type_is_nitrous_oxide": "Current {entity_name} nitrous oxide concentration level",
- "condition_type_is_ozone": "Current {entity_name} ozone concentration level",
- "current_entity_name_ph_level": "Current {entity_name} pH level",
- "condition_type_is_pm": "Current {entity_name} PM2.5 concentration level",
- "current_entity_name_power": "Current {entity_name} power",
- "current_entity_name_power_factor": "Current {entity_name} power factor",
- "current_entity_name_precipitation": "Current {entity_name} precipitation",
- "current_entity_name_precipitation_intensity": "Current {entity_name} precipitation intensity",
- "current_entity_name_pressure": "Current {entity_name} pressure",
- "current_entity_name_reactive_power": "Current {entity_name} reactive power",
- "current_entity_name_signal_strength": "Current {entity_name} signal strength",
- "current_entity_name_sound_pressure": "Current {entity_name} sound pressure",
- "current_entity_name_speed": "Current {entity_name} speed",
- "condition_type_is_sulphur_dioxide": "Current {entity_name} sulphur dioxide concentration level",
- "current_entity_name_temperature": "Current {entity_name} temperature",
- "current_entity_name_value": "Current {entity_name} value",
- "condition_type_is_volatile_organic_compounds": "Current {entity_name} volatile organic compounds concentration level",
- "current_entity_name_voltage": "Current {entity_name} voltage",
- "current_entity_name_volume": "Current {entity_name} volume",
- "condition_type_is_volume_flow_rate": "Current {entity_name} volume flow rate",
- "current_entity_name_water": "Current {entity_name} water",
- "current_entity_name_weight": "Current {entity_name} weight",
- "current_entity_name_wind_speed": "Current {entity_name} wind speed",
- "entity_name_apparent_power_changes": "{entity_name} apparent power changes",
- "trigger_type_aqi": "{entity_name} air quality index changes",
- "entity_name_area_changes": "{entity_name} area changes",
- "entity_name_atmospheric_pressure_changes": "{entity_name} atmospheric pressure changes",
- "entity_name_battery_level_changes": "{entity_name} battery level changes",
- "trigger_type_blood_glucose_concentration": "{entity_name} blood glucose concentration changes",
- "trigger_type_carbon_dioxide": "{entity_name} carbon dioxide concentration changes",
- "trigger_type_carbon_monoxide": "{entity_name} carbon monoxide concentration changes",
- "entity_name_conductivity_changes": "{entity_name} conductivity changes",
- "entity_name_current_changes": "{entity_name} current changes",
- "entity_name_data_rate_changes": "{entity_name} data rate changes",
- "entity_name_data_size_changes": "{entity_name} data size changes",
- "entity_name_distance_changes": "{entity_name} distance changes",
- "entity_name_duration_changes": "{entity_name} duration changes",
- "entity_name_energy_changes": "{entity_name} energy changes",
- "entity_name_frequency_changes": "{entity_name} frequency changes",
- "entity_name_gas_changes": "{entity_name} gas changes",
- "entity_name_humidity_changes": "{entity_name} humidity changes",
- "entity_name_illuminance_changes": "{entity_name} illuminance changes",
- "entity_name_irradiance_changes": "{entity_name} irradiance changes",
- "entity_name_moisture_changes": "{entity_name} moisture changes",
- "entity_name_balance_changes": "{entity_name} balance changes",
- "trigger_type_nitrogen_dioxide": "{entity_name} nitrogen dioxide concentration changes",
- "trigger_type_nitrogen_monoxide": "{entity_name} nitrogen monoxide concentration changes",
- "trigger_type_nitrous_oxide": "{entity_name} nitrous oxide concentration changes",
- "entity_name_ozone_concentration_changes": "{entity_name} ozone concentration changes",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
+ "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
+ "increase_entity_name_brightness": "Increase {entity_name} brightness",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "current_entity_name_apparent_power": "Current {entity_name} apparent power",
+ "condition_type_is_aqi": "Current {entity_name} air quality index",
+ "current_entity_name_area": "Current {entity_name} area",
+ "current_entity_name_atmospheric_pressure": "Current {entity_name} atmospheric pressure",
+ "current_entity_name_battery_level": "Current {entity_name} battery level",
+ "condition_type_is_blood_glucose_concentration": "Current {entity_name} blood glucose concentration",
+ "condition_type_is_carbon_dioxide": "Current {entity_name} carbon dioxide concentration level",
+ "condition_type_is_carbon_monoxide": "Current {entity_name} carbon monoxide concentration level",
+ "current_entity_name_conductivity": "Current {entity_name} conductivity",
+ "current_entity_name_current": "Current {entity_name} current",
+ "current_entity_name_data_rate": "Current {entity_name} data rate",
+ "current_entity_name_data_size": "Current {entity_name} data size",
+ "current_entity_name_distance": "Current {entity_name} distance",
+ "current_entity_name_duration": "Current {entity_name} duration",
+ "current_entity_name_energy": "Current {entity_name} energy",
+ "current_entity_name_frequency": "Current {entity_name} frequency",
+ "current_entity_name_gas": "Current {entity_name} gas",
+ "current_entity_name_humidity": "Current {entity_name} humidity",
+ "current_entity_name_illuminance": "Current {entity_name} illuminance",
+ "current_entity_name_irradiance": "Current {entity_name} irradiance",
+ "current_entity_name_moisture": "Current {entity_name} moisture",
+ "current_entity_name_balance": "Current {entity_name} balance",
+ "condition_type_is_nitrogen_dioxide": "Current {entity_name} nitrogen dioxide concentration level",
+ "condition_type_is_nitrogen_monoxide": "Current {entity_name} nitrogen monoxide concentration level",
+ "condition_type_is_nitrous_oxide": "Current {entity_name} nitrous oxide concentration level",
+ "condition_type_is_ozone": "Current {entity_name} ozone concentration level",
+ "current_entity_name_ph_level": "Current {entity_name} pH level",
+ "condition_type_is_pm": "Current {entity_name} PM2.5 concentration level",
+ "current_entity_name_power": "Current {entity_name} power",
+ "current_entity_name_power_factor": "Current {entity_name} power factor",
+ "current_entity_name_precipitation": "Current {entity_name} precipitation",
+ "current_entity_name_precipitation_intensity": "Current {entity_name} precipitation intensity",
+ "current_entity_name_pressure": "Current {entity_name} pressure",
+ "current_entity_name_reactive_power": "Current {entity_name} reactive power",
+ "current_entity_name_signal_strength": "Current {entity_name} signal strength",
+ "current_entity_name_sound_pressure": "Current {entity_name} sound pressure",
+ "current_entity_name_speed": "Current {entity_name} speed",
+ "condition_type_is_sulphur_dioxide": "Current {entity_name} sulphur dioxide concentration level",
+ "current_entity_name_temperature": "Current {entity_name} temperature",
+ "current_entity_name_value": "Current {entity_name} value",
+ "condition_type_is_volatile_organic_compounds": "Current {entity_name} volatile organic compounds concentration level",
+ "current_entity_name_voltage": "Current {entity_name} voltage",
+ "current_entity_name_volume": "Current {entity_name} volume",
+ "condition_type_is_volume_flow_rate": "Current {entity_name} volume flow rate",
+ "current_entity_name_water": "Current {entity_name} water",
+ "current_entity_name_weight": "Current {entity_name} weight",
+ "current_entity_name_wind_speed": "Current {entity_name} wind speed",
+ "entity_name_apparent_power_changes": "{entity_name} apparent power changes",
+ "trigger_type_aqi": "{entity_name} air quality index changes",
+ "entity_name_area_changes": "{entity_name} area changes",
+ "entity_name_atmospheric_pressure_changes": "{entity_name} atmospheric pressure changes",
+ "entity_name_battery_level_changes": "{entity_name} battery level changes",
+ "trigger_type_blood_glucose_concentration": "{entity_name} blood glucose concentration changes",
+ "trigger_type_carbon_dioxide": "{entity_name} carbon dioxide concentration changes",
+ "trigger_type_carbon_monoxide": "{entity_name} carbon monoxide concentration changes",
+ "entity_name_conductivity_changes": "{entity_name} conductivity changes",
+ "entity_name_current_changes": "{entity_name} current changes",
+ "entity_name_data_rate_changes": "{entity_name} data rate changes",
+ "entity_name_data_size_changes": "{entity_name} data size changes",
+ "entity_name_distance_changes": "{entity_name} distance changes",
+ "entity_name_duration_changes": "{entity_name} duration changes",
+ "entity_name_energy_changes": "{entity_name} energy changes",
+ "entity_name_frequency_changes": "{entity_name} frequency changes",
+ "entity_name_gas_changes": "{entity_name} gas changes",
+ "entity_name_humidity_changes": "{entity_name} humidity changes",
+ "entity_name_illuminance_changes": "{entity_name} illuminance changes",
+ "entity_name_irradiance_changes": "{entity_name} irradiance changes",
+ "entity_name_moisture_changes": "{entity_name} moisture changes",
+ "entity_name_balance_changes": "{entity_name} balance changes",
+ "trigger_type_nitrogen_dioxide": "{entity_name} nitrogen dioxide concentration changes",
+ "trigger_type_nitrogen_monoxide": "{entity_name} nitrogen monoxide concentration changes",
+ "trigger_type_nitrous_oxide": "{entity_name} nitrous oxide concentration changes",
+ "entity_name_ozone_concentration_changes": "{entity_name} ozone concentration changes",
"entity_name_ph_level_changes": "{entity_name} pH level changes",
"entity_name_pm_concentration_changes": "{entity_name} PM2.5 concentration changes",
"entity_name_power_changes": "{entity_name} power changes",
@@ -2716,6 +2993,47 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "First button",
+ "second_button": "Second button",
+ "third_button": "Third button",
+ "fourth_button": "Fourth button",
+ "fifth_button": "Fifth button",
+ "sixth_button": "Sixth button",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} is home",
+ "entity_name_is_not_home": "{entity_name} is not home",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} is cleaning",
+ "entity_name_is_docked": "{entity_name} is docked",
+ "entity_name_started_cleaning": "{entity_name} started cleaning",
+ "entity_name_docked": "{entity_name} docked",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} is locked",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is unlocked",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opened",
+ "entity_name_unlocked": "{entity_name} unlocked",
"action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
"change_preset_on_entity_name": "Change preset on {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2723,6 +3041,22 @@
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Close {entity_name} tilt",
+ "open_entity_name_tilt": "Open {entity_name} tilt",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Set {entity_name} tilt position",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} is closed",
+ "entity_name_is_closing": "{entity_name} is closing",
+ "entity_name_is_opening": "{entity_name} is opening",
+ "current_entity_name_position_is": "Current {entity_name} position is",
+ "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
+ "entity_name_closed": "{entity_name} closed",
+ "entity_name_closing": "{entity_name} closing",
+ "entity_name_opening": "{entity_name} opening",
+ "entity_name_position_changes": "{entity_name} position changes",
+ "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
"entity_name_battery_is_low": "{entity_name} battery is low",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2731,7 +3065,6 @@
"entity_name_is_detecting_gas": "{entity_name} is detecting gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} is detecting light",
- "entity_name_is_locked": "{entity_name} is locked",
"entity_name_is_moist": "{entity_name} is moist",
"entity_name_is_detecting_motion": "{entity_name} is detecting motion",
"entity_name_is_moving": "{entity_name} is moving",
@@ -2749,11 +3082,9 @@
"entity_name_is_not_cold": "{entity_name} is not cold",
"entity_name_is_disconnected": "{entity_name} is disconnected",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} is unlocked",
"entity_name_is_dry": "{entity_name} is dry",
"entity_name_is_not_moving": "{entity_name} is not moving",
"entity_name_is_not_occupied": "{entity_name} is not occupied",
- "entity_name_is_closed": "{entity_name} is closed",
"entity_name_is_unplugged": "{entity_name} is unplugged",
"entity_name_is_not_powered": "{entity_name} is not powered",
"entity_name_is_not_present": "{entity_name} is not present",
@@ -2761,7 +3092,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} is occupied",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is plugged in",
"entity_name_is_powered": "{entity_name} is powered",
"entity_name_is_present": "{entity_name} is present",
@@ -2781,7 +3111,6 @@
"entity_name_started_detecting_gas": "{entity_name} started detecting gas",
"entity_name_became_hot": "{entity_name} became hot",
"entity_name_started_detecting_light": "{entity_name} started detecting light",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} started detecting motion",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2792,18 +3121,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} became not hot",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} closed",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
@@ -2811,7 +3137,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} plugged in",
"entity_name_powered": "{entity_name} powered",
"entity_name_present": "{entity_name} present",
@@ -2821,10 +3146,7 @@
"entity_name_started_detecting_sound": "{entity_name} started detecting sound",
"entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
"entity_name_became_unsafe": "{entity_name} became unsafe",
- "trigger_type_update": "{entity_name} got an update available",
"entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
"entity_name_is_buffering": "{entity_name} is buffering",
"entity_name_is_idle": "{entity_name} is idle",
"entity_name_is_paused": "{entity_name} is paused",
@@ -2832,35 +3154,6 @@
"entity_name_starts_buffering": "{entity_name} starts buffering",
"entity_name_becomes_idle": "{entity_name} becomes idle",
"entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} is home",
- "entity_name_is_not_home": "{entity_name} is not home",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
- "increase_entity_name_brightness": "Increase {entity_name} brightness",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Disarm {entity_name}",
- "trigger_entity_name": "Trigger {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} is disarmed",
- "entity_name_is_triggered": "{entity_name} is triggered",
- "entity_name_armed_away": "{entity_name} armed away",
- "entity_name_armed_home": "{entity_name} armed home",
- "entity_name_armed_night": "{entity_name} armed night",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} disarmed",
- "entity_name_triggered": "{entity_name} triggered",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2870,35 +3163,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Close {entity_name} tilt",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Open {entity_name} tilt",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Set {entity_name} tilt position",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} is closing",
- "entity_name_is_opening": "{entity_name} is opening",
- "current_entity_name_position_is": "Current {entity_name} position is",
- "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
- "entity_name_closing": "{entity_name} closing",
- "entity_name_opening": "{entity_name} opening",
- "entity_name_position_changes": "{entity_name} position changes",
- "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Both buttons",
"bottom_buttons": "Bottom buttons",
"seventh_button": "Seventh button",
@@ -2923,13 +3187,6 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} is cleaning",
- "entity_name_is_docked": "{entity_name} is docked",
- "entity_name_started_cleaning": "{entity_name} started cleaning",
- "entity_name_docked": "{entity_name} docked",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2940,29 +3197,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Disarm {entity_name}",
+ "trigger_entity_name": "Trigger {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} is disarmed",
+ "entity_name_is_triggered": "{entity_name} is triggered",
+ "entity_name_armed_away": "{entity_name} armed away",
+ "entity_name_armed_home": "{entity_name} armed home",
+ "entity_name_armed_night": "{entity_name} armed night",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} disarmed",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Colour hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "Device dropped",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Device tilted",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3087,52 +3369,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "creates_a_new_backup": "Creates a new backup.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3149,6 +3401,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3159,102 +3412,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3267,25 +3429,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
"brightness_step_value": "Brightness step value",
"brightness_step_pct_description": "Change brightness by a percentage.",
"brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "creates_a_new_backup": "Creates a new backup.",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue Zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue Zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3311,27 +3518,305 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "stops_a_running_script": "Stops a running script.",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt position.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3370,40 +3855,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for holiday_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3411,77 +3862,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt position.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3490,83 +3880,35 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for holiday_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/en/en.json b/packages/core/src/hooks/useLocale/locales/en/en.json
index a62f134e..e0543928 100644
--- a/packages/core/src/hooks/useLocale/locales/en/en.json
+++ b/packages/core/src/hooks/useLocale/locales/en/en.json
@@ -738,7 +738,7 @@
"can_not_skip_version": "Can not skip version",
"update_instructions": "Update instructions",
"current_activity": "Current activity",
- "status": "Status",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Vacuum cleaner commands:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -856,7 +856,7 @@
"restart_home_assistant": "Restart Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Quick reload",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Reloading configuration",
"failed_to_reload_configuration": "Failed to reload configuration",
"restart_description": "Interrupts all running automations and scripts.",
@@ -884,8 +884,8 @@
"password": "Password",
"regex_pattern": "Regex pattern",
"used_for_client_side_validation": "Used for client-side validation",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Input field",
"slider": "Slider",
"step_size": "Step size",
@@ -1473,142 +1473,121 @@
"now": "Now",
"compare_data": "Compare data",
"reload_ui": "Reload UI",
- "tag": "Tag",
- "input_datetime": "Input datetime",
- "scene": "Scene",
- "solis_inverter": "Solis Inverter",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "tag": "Tag",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "Filesize",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
+ "scene": "Scene",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "wake_on_lan": "Wake on LAN",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climate",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "camera": "Camera",
+ "reolink": "Reolink",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "Filesize",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "go_rtc": "go2rtc",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "climate": "Climate",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1637,6 +1616,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1662,31 +1642,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Next dawn",
- "next_dusk": "Next dusk",
- "next_midnight": "Next midnight",
- "next_noon": "Next noon",
- "next_rising": "Next rising",
- "next_setting": "Next setting",
- "solar_azimuth": "Solar azimuth",
- "solar_elevation": "Solar elevation",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1708,34 +1673,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Plugged in",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1809,6 +1816,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1859,7 +1867,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1876,6 +1883,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Next dawn",
+ "next_dusk": "Next dusk",
+ "next_midnight": "Next midnight",
+ "next_noon": "Next noon",
+ "next_rising": "Next rising",
+ "next_setting": "Next setting",
+ "solar_azimuth": "Solar azimuth",
+ "solar_elevation": "Solar elevation",
+ "solar_rising": "Solar rising",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1895,73 +1945,251 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Plugged in",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "stopped": "Stopped",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Paused",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -1994,81 +2222,11 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Current humidity",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Current action",
- "cooling": "Cooling",
- "defrosting": "Defrosting",
- "drying": "Drying",
- "heating": "Heating",
- "preheating": "Preheating",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Both",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Not charging",
- "disconnected": "Disconnected",
- "connected": "Connected",
- "hot": "Hot",
- "no_light": "No light",
- "light_detected": "Light detected",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "Not moving",
- "unplugged": "Unplugged",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "above_horizon": "Above horizon",
- "below_horizon": "Below horizon",
- "automatic": "Automatic",
- "box": "Box",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2084,16 +2242,37 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
- "available_tones": "Available tones",
+ "managed_via_ui": "Managed via UI",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Clear, night",
"cloudy": "Cloudy",
"exceptional": "Exceptional",
@@ -2116,25 +2295,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "disarming": "Disarming",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
+ "identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2143,66 +2306,112 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "locked": "Locked",
+ "unlocked": "Unlocked",
+ "members": "Members",
+ "jammed": "Jammed",
+ "locking": "Locking",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Current humidity",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Current action",
+ "cooling": "Cooling",
+ "defrosting": "Defrosting",
+ "drying": "Drying",
+ "heating": "Heating",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Both",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Not charging",
+ "disconnected": "Disconnected",
+ "connected": "Connected",
+ "hot": "Hot",
+ "no_light": "No light",
+ "light_detected": "Light detected",
+ "not_moving": "Not moving",
+ "unplugged": "Unplugged",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "identify": "Identify",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Above horizon",
+ "below_horizon": "Below horizon",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Disarming",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2213,27 +2422,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2241,68 +2452,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2329,48 +2499,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Bridge is already configured",
- "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Couldn't get an API key",
- "link_with_deconz": "Link with deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2378,128 +2547,161 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "Bridge is already configured",
+ "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Couldn't get an API key",
+ "link_with_deconz": "Link with deCONZ",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Enable birth message",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Enable will message",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
"data_appdaemon": "Enable AppDaemon apps discovery & tracking",
"side_panel_icon": "Side panel icon",
"side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
+ "language_code": "Language code",
"samsungtv_smart_options": "SamsungTV Smart options",
"data_use_st_status_info": "Use SmartThings TV Status information",
"data_use_st_channel_info": "Use SmartThings TV Channels information",
@@ -2527,28 +2729,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Enable birth message",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Enable will message",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2556,23 +2736,120 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
+ "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
+ "increase_entity_name_brightness": "Increase {entity_name} brightness",
+ "flash_entity_name": "Flash {entity_name}",
"toggle_entity_name": "Toggle {entity_name}",
"turn_off_entity_name": "Turn off {entity_name}",
"turn_on_entity_name": "Turn on {entity_name}",
"entity_name_is_off": "{entity_name} is off",
"entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
"trigger_type_changed_states": "{entity_name} turned on or off",
"entity_name_turned_off": "{entity_name} turned off",
"entity_name_turned_on": "{entity_name} turned on",
@@ -2670,15 +2947,70 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
- "action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
- "change_preset_on_entity_name": "Change preset on {entity_name}",
- "hvac_mode": "HVAC mode",
- "to": "To",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "First button",
+ "second_button": "Second button",
+ "third_button": "Third button",
+ "fourth_button": "Fourth button",
+ "fifth_button": "Fifth button",
+ "sixth_button": "Sixth button",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} is home",
+ "entity_name_is_not_home": "{entity_name} is not home",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} is cleaning",
+ "entity_name_is_docked": "{entity_name} is docked",
+ "entity_name_started_cleaning": "{entity_name} started cleaning",
+ "entity_name_docked": "{entity_name} docked",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} is locked",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is unlocked",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opened",
+ "entity_name_unlocked": "{entity_name} unlocked",
+ "action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
+ "change_preset_on_entity_name": "Change preset on {entity_name}",
+ "hvac_mode": "HVAC mode",
+ "to": "To",
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Close {entity_name} tilt",
+ "open_entity_name_tilt": "Open {entity_name} tilt",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Set {entity_name} tilt position",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} is closed",
+ "entity_name_is_closing": "{entity_name} is closing",
+ "entity_name_is_opening": "{entity_name} is opening",
+ "current_entity_name_position_is": "Current {entity_name} position is",
+ "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
+ "entity_name_closed": "{entity_name} closed",
+ "entity_name_closing": "{entity_name} closing",
+ "entity_name_opening": "{entity_name} opening",
+ "entity_name_position_changes": "{entity_name} position changes",
+ "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
"entity_name_battery_is_low": "{entity_name} battery is low",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2687,7 +3019,6 @@
"entity_name_is_detecting_gas": "{entity_name} is detecting gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} is detecting light",
- "entity_name_is_locked": "{entity_name} is locked",
"entity_name_is_moist": "{entity_name} is moist",
"entity_name_is_detecting_motion": "{entity_name} is detecting motion",
"entity_name_is_moving": "{entity_name} is moving",
@@ -2705,11 +3036,9 @@
"entity_name_is_not_cold": "{entity_name} is not cold",
"entity_name_is_disconnected": "{entity_name} is disconnected",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} is unlocked",
"entity_name_is_dry": "{entity_name} is dry",
"entity_name_is_not_moving": "{entity_name} is not moving",
"entity_name_is_not_occupied": "{entity_name} is not occupied",
- "entity_name_is_closed": "{entity_name} is closed",
"entity_name_is_unplugged": "{entity_name} is unplugged",
"entity_name_is_not_powered": "{entity_name} is not powered",
"entity_name_is_not_present": "{entity_name} is not present",
@@ -2717,7 +3046,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} is occupied",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is plugged in",
"entity_name_is_powered": "{entity_name} is powered",
"entity_name_is_present": "{entity_name} is present",
@@ -2737,7 +3065,6 @@
"entity_name_started_detecting_gas": "{entity_name} started detecting gas",
"entity_name_became_hot": "{entity_name} became hot",
"entity_name_started_detecting_light": "{entity_name} started detecting light",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} started detecting motion",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2748,18 +3075,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} became not hot",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} closed",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
@@ -2767,7 +3091,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} plugged in",
"entity_name_powered": "{entity_name} powered",
"entity_name_present": "{entity_name} present",
@@ -2777,7 +3100,6 @@
"entity_name_started_detecting_sound": "{entity_name} started detecting sound",
"entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
"entity_name_became_unsafe": "{entity_name} became unsafe",
- "trigger_type_update": "{entity_name} got an update available",
"entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
"entity_name_is_buffering": "{entity_name} is buffering",
"entity_name_is_idle": "{entity_name} is idle",
@@ -2786,33 +3108,6 @@
"entity_name_starts_buffering": "{entity_name} starts buffering",
"entity_name_becomes_idle": "{entity_name} becomes idle",
"entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} is home",
- "entity_name_is_not_home": "{entity_name} is not home",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
- "increase_entity_name_brightness": "Increase {entity_name} brightness",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Disarm {entity_name}",
- "trigger_entity_name": "Trigger {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} is disarmed",
- "entity_name_is_triggered": "{entity_name} is triggered",
- "entity_name_armed_away": "{entity_name} armed away",
- "entity_name_armed_home": "{entity_name} armed home",
- "entity_name_armed_night": "{entity_name} armed night",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} disarmed",
- "entity_name_triggered": "{entity_name} triggered",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2822,37 +3117,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Close {entity_name} tilt",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Open {entity_name} tilt",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Set {entity_name} tilt position",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} is closing",
- "entity_name_is_opening": "{entity_name} is opening",
- "current_entity_name_position_is": "Current {entity_name} position is",
- "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
- "entity_name_closing": "{entity_name} closing",
- "entity_name_opening": "{entity_name} opening",
- "entity_name_position_changes": "{entity_name} position changes",
- "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Both buttons",
"bottom_buttons": "Bottom buttons",
"seventh_button": "Seventh button",
@@ -2877,13 +3141,6 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} is cleaning",
- "entity_name_is_docked": "{entity_name} is docked",
- "entity_name_started_cleaning": "{entity_name} started cleaning",
- "entity_name_docked": "{entity_name} docked",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2894,29 +3151,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "fatal": "Fatal",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Disarm {entity_name}",
+ "trigger_entity_name": "Trigger {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} is disarmed",
+ "entity_name_is_triggered": "{entity_name} is triggered",
+ "entity_name_armed_away": "{entity_name} armed away",
+ "entity_name_armed_home": "{entity_name} armed home",
+ "entity_name_armed_night": "{entity_name} armed night",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} disarmed",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "Device dropped",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Device tilted",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "passive": "Passive",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3047,52 +3329,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "creates_a_new_backup": "Creates a new backup.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "critical": "Critical",
+ "debug": "Debug",
+ "fatal": "Fatal",
+ "info": "Info",
+ "warning": "Warning",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3109,6 +3361,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3119,95 +3372,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3220,36 +3389,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
"brightness_step_value": "Brightness step value",
"brightness_step_pct_description": "Change brightness by a percentage.",
"brightness_step": "Brightness step",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "reload_themes_description": "Reloads themes from the YAML-configuration.",
- "reload_themes": "Reload themes",
- "name_of_a_theme": "Name of a theme.",
- "set_the_default_theme": "Set the default theme",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
+ "creates_a_new_backup": "Creates a new backup.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3275,23 +3478,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "reload_themes_description": "Reloads themes from the YAML-configuration.",
+ "reload_themes": "Reload themes",
+ "name_of_a_theme": "Name of a theme.",
+ "set_the_default_theme": "Set the default theme",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3330,40 +3818,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3371,77 +3825,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "press_the_button_entity": "Press the button entity.",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3450,83 +3843,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "stops_a_running_script": "Stops a running script.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/eo/eo.json b/packages/core/src/hooks/useLocale/locales/eo/eo.json
index 6c31f801..4563ffdd 100644
--- a/packages/core/src/hooks/useLocale/locales/eo/eo.json
+++ b/packages/core/src/hooks/useLocale/locales/eo/eo.json
@@ -738,7 +738,7 @@
"can_not_skip_version": "Can not skip version",
"update_instructions": "Update instructions",
"current_activity": "Current activity",
- "status": "Status",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Vacuum cleaner commands:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -856,7 +856,7 @@
"restart_home_assistant": "Restart Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Quick reload",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Reloading configuration",
"failed_to_reload_configuration": "Failed to reload configuration",
"restart_description": "Interrupts all running automations and scripts.",
@@ -884,8 +884,8 @@
"password": "Password",
"regex_pattern": "Regex pattern",
"used_for_client_side_validation": "Used for client-side validation",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Input field",
"slider": "Slider",
"step_size": "Step size",
@@ -1474,141 +1474,120 @@
"now": "Now",
"compare_data": "Compare data",
"reload_ui": "Reload UI",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
+ "scene": "Scene",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climate",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climate",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1637,6 +1616,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1662,31 +1642,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Next dawn",
- "next_dusk": "Next dusk",
- "next_midnight": "Next midnight",
- "next_noon": "Next noon",
- "next_rising": "Next rising",
- "next_setting": "Next setting",
- "solar_azimuth": "Solar azimuth",
- "solar_elevation": "Solar elevation",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1708,34 +1673,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Plugged in",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1809,6 +1816,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1859,7 +1867,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1876,6 +1883,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Next dawn",
+ "next_dusk": "Next dusk",
+ "next_midnight": "Next midnight",
+ "next_noon": "Next noon",
+ "next_rising": "Next rising",
+ "next_setting": "Next setting",
+ "solar_azimuth": "Solar azimuth",
+ "solar_elevation": "Solar elevation",
+ "solar_rising": "Solar rising",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1895,73 +1945,251 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Plugged in",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Paused",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -1994,84 +2222,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Current humidity",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Current action",
- "cooling": "Cooling",
- "defrosting": "Defrosting",
- "drying": "Drying",
- "heating": "Heating",
- "preheating": "Preheating",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Both",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Not charging",
- "disconnected": "Disconnected",
- "connected": "Connected",
- "hot": "Hot",
- "no_light": "No light",
- "light_detected": "Light detected",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "Not moving",
- "unplugged": "Unplugged",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Above horizon",
- "below_horizon": "Below horizon",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2087,13 +2243,36 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "available_tones": "Available tones",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Clear, night",
"cloudy": "Cloudy",
"exceptional": "Exceptional",
@@ -2116,26 +2295,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "disarming": "Disarming",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2144,65 +2306,112 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locked": "Locked",
+ "locking": "Locking",
+ "unlocked": "Unlocked",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Current humidity",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Current action",
+ "cooling": "Cooling",
+ "defrosting": "Defrosting",
+ "drying": "Drying",
+ "heating": "Heating",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Both",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Not charging",
+ "disconnected": "Disconnected",
+ "connected": "Connected",
+ "hot": "Hot",
+ "no_light": "No light",
+ "light_detected": "Light detected",
+ "not_moving": "Not moving",
+ "unplugged": "Unplugged",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Above horizon",
+ "below_horizon": "Below horizon",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Disarming",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2213,27 +2422,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2241,68 +2452,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2329,48 +2499,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Bridge is already configured",
- "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Couldn't get an API key",
- "link_with_deconz": "Link with deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2378,128 +2547,161 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "Bridge is already configured",
+ "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Couldn't get an API key",
+ "link_with_deconz": "Link with deCONZ",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Enable birth message",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Enable will message",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
"samsungtv_smart_options": "SamsungTV Smart options",
"data_use_st_status_info": "Use SmartThings TV Status information",
"data_use_st_channel_info": "Use SmartThings TV Channels information",
@@ -2527,28 +2729,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Enable birth message",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Enable will message",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2556,26 +2736,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2670,6 +2935,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
+ "increase_entity_name_brightness": "Increase {entity_name} brightness",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "First button",
+ "second_button": "Second button",
+ "third_button": "Third button",
+ "fourth_button": "Fourth button",
+ "fifth_button": "Fifth button",
+ "sixth_button": "Sixth button",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} is home",
+ "entity_name_is_not_home": "{entity_name} is not home",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} is cleaning",
+ "entity_name_is_docked": "{entity_name} is docked",
+ "entity_name_started_cleaning": "{entity_name} started cleaning",
+ "entity_name_docked": "{entity_name} docked",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} is locked",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is unlocked",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opened",
+ "entity_name_unlocked": "{entity_name} unlocked",
"action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
"change_preset_on_entity_name": "Change preset on {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2677,8 +2995,22 @@
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Close {entity_name} tilt",
+ "open_entity_name_tilt": "Open {entity_name} tilt",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Set {entity_name} tilt position",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} is closed",
+ "entity_name_is_closing": "{entity_name} is closing",
+ "entity_name_is_opening": "{entity_name} is opening",
+ "current_entity_name_position_is": "Current {entity_name} position is",
+ "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
+ "entity_name_closed": "{entity_name} closed",
+ "entity_name_closing": "{entity_name} closing",
+ "entity_name_opening": "{entity_name} opening",
+ "entity_name_position_changes": "{entity_name} position changes",
+ "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
"entity_name_battery_is_low": "{entity_name} battery is low",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2687,7 +3019,6 @@
"entity_name_is_detecting_gas": "{entity_name} is detecting gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} is detecting light",
- "entity_name_is_locked": "{entity_name} is locked",
"entity_name_is_moist": "{entity_name} is moist",
"entity_name_is_detecting_motion": "{entity_name} is detecting motion",
"entity_name_is_moving": "{entity_name} is moving",
@@ -2705,11 +3036,9 @@
"entity_name_is_not_cold": "{entity_name} is not cold",
"entity_name_is_disconnected": "{entity_name} is disconnected",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} is unlocked",
"entity_name_is_dry": "{entity_name} is dry",
"entity_name_is_not_moving": "{entity_name} is not moving",
"entity_name_is_not_occupied": "{entity_name} is not occupied",
- "entity_name_is_closed": "{entity_name} is closed",
"entity_name_is_unplugged": "{entity_name} is unplugged",
"entity_name_is_not_powered": "{entity_name} is not powered",
"entity_name_is_not_present": "{entity_name} is not present",
@@ -2717,7 +3046,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} is occupied",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is plugged in",
"entity_name_is_powered": "{entity_name} is powered",
"entity_name_is_present": "{entity_name} is present",
@@ -2737,7 +3065,6 @@
"entity_name_started_detecting_gas": "{entity_name} started detecting gas",
"entity_name_became_hot": "{entity_name} became hot",
"entity_name_started_detecting_light": "{entity_name} started detecting light",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} started detecting motion",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2748,18 +3075,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} became not hot",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} closed",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
@@ -2767,7 +3091,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} plugged in",
"entity_name_powered": "{entity_name} powered",
"entity_name_present": "{entity_name} present",
@@ -2775,46 +3098,16 @@
"entity_name_started_running": "{entity_name} started running",
"entity_name_started_detecting_smoke": "{entity_name} started detecting smoke",
"entity_name_started_detecting_sound": "{entity_name} started detecting sound",
- "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
- "entity_name_became_unsafe": "{entity_name} became unsafe",
- "trigger_type_update": "{entity_name} got an update available",
- "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
- "entity_name_is_buffering": "{entity_name} is buffering",
- "entity_name_is_idle": "{entity_name} is idle",
- "entity_name_is_paused": "{entity_name} is paused",
- "entity_name_is_playing": "{entity_name} is playing",
- "entity_name_starts_buffering": "{entity_name} starts buffering",
- "entity_name_becomes_idle": "{entity_name} becomes idle",
- "entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} is home",
- "entity_name_is_not_home": "{entity_name} is not home",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
- "increase_entity_name_brightness": "Increase {entity_name} brightness",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Disarm {entity_name}",
- "trigger_entity_name": "Trigger {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} is disarmed",
- "entity_name_is_triggered": "{entity_name} is triggered",
- "entity_name_armed_away": "{entity_name} armed away",
- "entity_name_armed_home": "{entity_name} armed home",
- "entity_name_armed_night": "{entity_name} armed night",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} disarmed",
- "entity_name_triggered": "{entity_name} triggered",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
+ "entity_name_became_unsafe": "{entity_name} became unsafe",
+ "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
+ "entity_name_is_buffering": "{entity_name} is buffering",
+ "entity_name_is_idle": "{entity_name} is idle",
+ "entity_name_is_paused": "{entity_name} is paused",
+ "entity_name_is_playing": "{entity_name} is playing",
+ "entity_name_starts_buffering": "{entity_name} starts buffering",
+ "entity_name_becomes_idle": "{entity_name} becomes idle",
+ "entity_name_starts_playing": "{entity_name} starts playing",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2824,35 +3117,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Close {entity_name} tilt",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Open {entity_name} tilt",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Set {entity_name} tilt position",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} is closing",
- "entity_name_is_opening": "{entity_name} is opening",
- "current_entity_name_position_is": "Current {entity_name} position is",
- "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
- "entity_name_closing": "{entity_name} closing",
- "entity_name_opening": "{entity_name} opening",
- "entity_name_position_changes": "{entity_name} position changes",
- "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Both buttons",
"bottom_buttons": "Bottom buttons",
"seventh_button": "Seventh button",
@@ -2877,13 +3141,6 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} is cleaning",
- "entity_name_is_docked": "{entity_name} is docked",
- "entity_name_started_cleaning": "{entity_name} started cleaning",
- "entity_name_docked": "{entity_name} docked",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2894,29 +3151,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Disarm {entity_name}",
+ "trigger_entity_name": "Trigger {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} is disarmed",
+ "entity_name_is_triggered": "{entity_name} is triggered",
+ "entity_name_armed_away": "{entity_name} armed away",
+ "entity_name_armed_home": "{entity_name} armed home",
+ "entity_name_armed_night": "{entity_name} armed night",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} disarmed",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "Device dropped",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Device tilted",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3047,52 +3329,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3109,6 +3361,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3119,102 +3372,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3227,25 +3389,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3271,27 +3478,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3330,40 +3818,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3371,77 +3825,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3450,83 +3843,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/es-419/es-419.json b/packages/core/src/hooks/useLocale/locales/es-419/es-419.json
index 9ddcfe27..95260eed 100644
--- a/packages/core/src/hooks/useLocale/locales/es-419/es-419.json
+++ b/packages/core/src/hooks/useLocale/locales/es-419/es-419.json
@@ -86,7 +86,7 @@
"reverse": "Reverse",
"medium": "Medium",
"target_humidity": "Target humidity.",
- "state": "Estado",
+ "state": "State",
"name_target_humidity": "{name} objetivo de la humedad",
"name_current_humidity": "{name} humedad actual",
"name_humidifying": "{name} humedeciendo",
@@ -244,7 +244,7 @@
"selector_options": "Opciones del selector",
"action": "Acción",
"area": "Area",
- "attribute": "Atributo",
+ "attribute": "Attribute",
"boolean": "Booleano",
"condition": "Condición",
"date": "Date",
@@ -266,6 +266,7 @@
"learn_more_about_templating": "Aprende más sobre plantillas",
"show_password": "Mostrar contraseña",
"hide_password": "Ocultar contraseña",
+ "ui_components_selectors_background_yaml_info": "La imagen de fondo se configura a través del editor yaml.",
"no_logbook_events_found": "No se encontraron eventos en el libro de registro.",
"triggered_by": "desencadenado por",
"triggered_by_automation": "desencadenado por la automatización",
@@ -656,6 +657,7 @@
"last_updated": "Last updated",
"remaining_time": "Tiempo restante",
"install_status": "Estado de la instalación",
+ "ui_components_multi_textfield_add_item": "Añadir {item}",
"safe_mode": "Safe mode",
"all_yaml_configuration": "Toda la configuración YAML",
"domain": "Domain",
@@ -758,6 +760,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Cree una copia de seguridad antes de actualizar",
"update_instructions": "Instrucciones de actualización",
"current_activity": "Actividad actual",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Comandos de la aspiradora:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -876,7 +879,7 @@
"restart_home_assistant": "¿Reiniciar Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Recarga rápida",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Recargar la configuración",
"failed_to_reload_configuration": "Error al recargar la configuración",
"restart_description": "Interrumpe todas las automatizaciones y scripts en ejecución.",
@@ -907,8 +910,8 @@
"password": "Password",
"regex_pattern": "Patrón de expresiones regulares",
"used_for_client_side_validation": "Se utiliza para la validación del lado del cliente",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Campo de entrada",
"slider": "Slider",
"step_size": "Tamaño del incremento",
@@ -953,7 +956,7 @@
"ui_dialogs_zha_device_info_confirmations_remove": "¿Está seguro de que desea eliminar el dispositivo?",
"quirk": "Quirk",
"last_seen": "Visto por última vez",
- "power_source": "Fuente de alimentación",
+ "power_source": "Power source",
"change_device_name": "Cambiar el nombre del dispositivo",
"device_debug_info": "{device} información de depuración",
"mqtt_device_debug_info_deserialize": "Intentar analizar mensajes MQTT como JSON",
@@ -1230,7 +1233,7 @@
"ui_panel_lovelace_editor_edit_view_type_helper_sections": "No puedes cambiar tu vista para usar el tipo de vista 'secciones' porque la migración aún no es compatible. Comienza desde cero con una nueva vista si quieres experimentar con la vista de \"secciones\".",
"card_configuration": "Configuración de la tarjeta",
"type_card_configuration": "Configuración de tarjeta {type}",
- "edit_card_pick_card": "¿Qué tarjeta desea agregar?",
+ "add_to_dashboard": "Añadir al panel de control",
"toggle_editor": "Alternar editor",
"you_have_unsaved_changes": "Tienes cambios sin guardar",
"edit_card_confirm_cancel": "¿Está seguro de que desea cancelar?",
@@ -1258,7 +1261,6 @@
"edit_badge_confirm_cancel": "¿Estás seguro de que deseas cancelar?",
"add_badge": "Añadir insignia",
"suggest_badge_header": "Creamos una sugerencia para ti",
- "add_to_dashboard": "Añadir al panel de control",
"move_card_strategy_error_title": "No es posible mover la tarjeta",
"card_moved_successfully": "La tarjeta se ha movido correctamente",
"error_while_moving_card": "Error al mover la tarjeta",
@@ -1436,6 +1438,12 @@
"show_more_detail": "Mostrar más detalles",
"to_do_list": "Lista de tareas pendientes",
"hide_completed_items": "Ocultar elementos completados",
+ "ui_panel_lovelace_editor_card_todo_list_display_order": "Orden de visualización",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc": "Alfabético (A-Z)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_desc": "Alfabético (Z-A)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc": "Fecha de vencimiento (los que vencen más pronto primero)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc": "Fecha de vencimiento (los que vencen más tarde primero)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_none": "Predeterminado",
"thermostat": "Thermostat",
"thermostat_show_current_as_primary": "Mostrar la temperatura actual como información principal",
"tile": "Mosaico",
@@ -1445,6 +1453,7 @@
"hide_state": "Ocultar estado",
"ui_panel_lovelace_editor_card_tile_actions": "Acciones",
"ui_panel_lovelace_editor_card_tile_state_content_options_last_updated": "Última actualización",
+ "ui_panel_lovelace_editor_card_tile_state_content_options_state": "Estado",
"vertical_stack": "Pila vertical",
"weather_forecast": "Previsión del Tiempo",
"weather_to_show": "Tiempo para mostrar",
@@ -1558,142 +1567,121 @@
"now": "Ahora",
"compare_data": "Comparar datos",
"reload_ui": "Recargar UI",
- "tag": "Tags",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "tag": "Tags",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
+ "scene": "Scene",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climate",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climate",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Credenciales de la aplicación",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Credenciales de la aplicación",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1722,6 +1710,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1747,31 +1736,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Next dawn",
- "next_dusk": "Next dusk",
- "next_midnight": "Next midnight",
- "next_noon": "Next noon",
- "next_rising": "Next rising",
- "next_setting": "Next setting",
- "solar_azimuth": "Solar azimuth",
- "solar_elevation": "Solar elevation",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1793,34 +1767,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Plugged in",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1894,6 +1910,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1944,7 +1961,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1961,6 +1977,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Next dawn",
+ "next_dusk": "Next dusk",
+ "next_midnight": "Next midnight",
+ "next_noon": "Next noon",
+ "next_rising": "Next rising",
+ "next_setting": "Next setting",
+ "solar_azimuth": "Solar azimuth",
+ "solar_elevation": "Solar elevation",
+ "solar_rising": "Solar rising",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1980,73 +2039,251 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Plugged in",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Paused",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -2079,84 +2316,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Current humidity",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Current action",
- "cooling": "Cooling",
- "defrosting": "Defrosting",
- "drying": "Drying",
- "heating": "Heating",
- "preheating": "Preheating",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Both",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Not charging",
- "disconnected": "Disconnected",
- "connected": "Connected",
- "hot": "Hot",
- "no_light": "No light",
- "light_detected": "Light detected",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "No se mueve",
- "unplugged": "Desenchufado",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Above horizon",
- "below_horizon": "Below horizon",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2172,13 +2337,36 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "available_tones": "Available tones",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Clear, night",
"cloudy": "Cloudy",
"exceptional": "Exceptional",
@@ -2201,26 +2389,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "disarming": "Disarming",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2229,65 +2400,112 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locked": "Locked",
+ "locking": "Locking",
+ "unlocked": "Unlocked",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Current humidity",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Current action",
+ "cooling": "Cooling",
+ "defrosting": "Defrosting",
+ "drying": "Drying",
+ "heating": "Heating",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Both",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Not charging",
+ "disconnected": "Disconnected",
+ "connected": "Connected",
+ "hot": "Hot",
+ "no_light": "No light",
+ "light_detected": "Light detected",
+ "not_moving": "No se mueve",
+ "unplugged": "Desenchufado",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Above horizon",
+ "below_horizon": "Below horizon",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Disarming",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2298,27 +2516,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Dispositivo no compatible",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} en {host})",
"authenticate_to_the_device": "Autenticarse en el dispositivo",
"finish_title": "Elija un nombre para el dispositivo",
@@ -2326,68 +2546,27 @@
"yes_do_it": "Sí, hazlo.",
"unlock_the_device_optional": "Desbloquear el dispositivo (opcional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Configurar Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Código de dos factores",
+ "two_factor_authentication": "Autenticación de dos factores",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Iniciar sesión con cuenta de Ring",
+ "abort_alternative_integration": "El dispositivo es mejor compatible con otra integración",
+ "abort_incomplete_config": "A la configuración le falta una variable requerida",
+ "manual_description": "URL a un archivo XML de descripción de dispositivo",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2414,48 +2593,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "El Bridge ya está configurado",
- "no_deconz_bridges_discovered": "No se descubrieron puentes deCONZ",
- "abort_no_hardware_available": "No hay hardware de radio conectado a deCONZ",
- "abort_updated_instance": "Instancia deCONZ actualizada con nueva dirección de host",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "No se pudo obtener una clave de API",
- "link_with_deconz": "Enlazar con deCONZ",
- "select_discovered_deconz_gateway": "Seleccione la puerta de enlace descubierta deCONZ",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Nodo ESPHome descubierto",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "El dispositivo es mejor compatible con otra integración",
- "abort_incomplete_config": "A la configuración le falta una variable requerida",
- "manual_description": "URL a un archivo XML de descripción de dispositivo",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Configurar Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Código de dos factores",
- "two_factor_authentication": "Autenticación de dos factores",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Iniciar sesión con cuenta de Ring",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2463,128 +2641,161 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignorar CEC",
- "allowed_uuids": "UUID permitidos",
- "advanced_google_cast_configuration": "Configuración avanzada de Google Cast",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Nodo ESPHome descubierto",
+ "bridge_is_already_configured": "El Bridge ya está configurado",
+ "no_deconz_bridges_discovered": "No se descubrieron puentes deCONZ",
+ "abort_no_hardware_available": "No hay hardware de radio conectado a deCONZ",
+ "abort_updated_instance": "Instancia deCONZ actualizada con nueva dirección de host",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "No se pudo obtener una clave de API",
+ "link_with_deconz": "Enlazar con deCONZ",
+ "select_discovered_deconz_gateway": "Seleccione la puerta de enlace descubierta deCONZ",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Enable birth message",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Enable will message",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
"data_appdaemon": "Enable AppDaemon apps discovery & tracking",
"side_panel_icon": "Side panel icon",
"side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
+ "language_code": "Language code",
"samsungtv_smart_options": "SamsungTV Smart options",
"data_use_st_status_info": "Use SmartThings TV Status information",
"data_use_st_channel_info": "Use SmartThings TV Channels information",
@@ -2612,28 +2823,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Enable birth message",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Enable will message",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Permitir sensores deCONZ CLIP",
- "allow_deconz_light_groups": "Permitir grupos de luz deCONZ",
- "data_allow_new_devices": "Permitir la adición automática de nuevos dispositivos",
- "deconz_devices_description": "Configurar la visibilidad de los tipos de dispositivos deCONZ",
- "deconz_options": "Opciones de deCONZ",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2641,26 +2830,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignorar CEC",
+ "allowed_uuids": "UUID permitidos",
+ "advanced_google_cast_configuration": "Configuración avanzada de Google Cast",
+ "allow_deconz_clip_sensors": "Permitir sensores deCONZ CLIP",
+ "allow_deconz_light_groups": "Permitir grupos de luz deCONZ",
+ "data_allow_new_devices": "Permitir la adición automática de nuevos dispositivos",
+ "deconz_devices_description": "Configurar la visibilidad de los tipos de dispositivos deCONZ",
+ "deconz_options": "Opciones de deCONZ",
"select_test_server": "Select test server",
- "toggle_entity_name": "Alternar {entity_name}",
- "turn_off_entity_name": "Apagar {entity_name}",
- "turn_on_entity_name": "Encender {entity_name}",
- "entity_name_is_off": "{entity_name} está apagado",
- "entity_name_is_on": "{entity_name} está encendido",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} desactivado",
- "entity_name_turned_on": "{entity_name} activado",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2755,6 +3029,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Disminuya el brillo de {entity_name}",
+ "increase_entity_name_brightness": "Aumenta el brillo de {entity_name}",
+ "flash_entity_name": "Destello {entity_name}",
+ "toggle_entity_name": "Alternar {entity_name}",
+ "turn_off_entity_name": "Apagar {entity_name}",
+ "turn_on_entity_name": "Encender {entity_name}",
+ "entity_name_is_off": "{entity_name} está apagado",
+ "entity_name_is_on": "{entity_name} está encendido",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} desactivado",
+ "entity_name_turned_on": "{entity_name} activado",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} se actualizó",
+ "trigger_type_turned_on": "{entity_name} got an update available",
+ "first_button": "Primer botón",
+ "second_button": "Segundo botón",
+ "third_button": "Tercer botón",
+ "fourth_button": "Cuarto botón",
+ "fifth_button": "Quinto botón",
+ "sixth_button": "Sexto botón",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "Se soltó \"{subtype}\" después de una pulsación prolongada",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} está en casa",
+ "entity_name_is_not_home": "{entity_name} no está en casa",
+ "entity_name_enters_a_zone": "{entity_name} ingresa a una zona",
+ "entity_name_leaves_a_zone": "{entity_name} abandona una zona",
+ "press_entity_name_button": "Presiona el botón {entity_name}",
+ "entity_name_has_been_pressed": "{entity_name} ha sido presionado",
+ "let_entity_name_clean": "Deje que {entity_name} limpie",
+ "action_type_dock": "Dejar que {entity_name} regrese al dock",
+ "entity_name_is_cleaning": "{entity_name} está limpiando",
+ "entity_name_is_docked": "{entity_name} está acoplado",
+ "entity_name_started_cleaning": "{entity_name} comenzó a limpiar",
+ "entity_name_docked": "{entity_name} acoplado",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Bloquear {entity_name}",
+ "open_entity_name": "Abrir {entity_name}",
+ "unlock_entity_name": "Desbloquear {entity_name}",
+ "entity_name_is_locked": "{entity_name} está bloqueado",
+ "entity_name_is_open": "{entity_name} está abierto",
+ "entity_name_is_unlocked": "{entity_name} está desbloqueado",
+ "entity_name_locked": "{entity_name} bloqueado",
+ "entity_name_opened": "{entity_name} abierto",
+ "entity_name_unlocked": "{entity_name} desbloqueado",
"action_type_set_hvac_mode": "Cambiar el modo HVAC en {entity_name}",
"change_preset_on_entity_name": "Cambiar el ajuste preestablecido en el valor de {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2762,8 +3089,22 @@
"entity_name_measured_humidity_changed": "{entity_name} ha cambiado la humedad medida",
"entity_name_measured_temperature_changed": "{entity_name} ha cambiado la temperatura medida",
"entity_name_hvac_mode_changed": "{entity_name} modo HVAC cambió",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Cerrar {entity_name}",
+ "close_entity_name_tilt": "Cerrar la inclinación de {entity_name}",
+ "open_entity_name_tilt": "Abrir la inclinación de {entity_name}",
+ "set_entity_name_position": "Establecer la posición de {entity_name}",
+ "set_entity_name_tilt_position": "Establecer la posición de inclinación {entity_name}",
+ "stop_entity_name": "Detener {entity_name}",
+ "entity_name_is_closed": "{entity_name} está cerrado",
+ "entity_name_is_closing": "{entity_name} se está cerrando",
+ "entity_name_is_opening": "{entity_name} se está abriendo",
+ "current_entity_name_position_is": "La posición actual de {entity_name} es",
+ "condition_type_is_tilt_position": "La posición de inclinación actual de {entity_name} es",
+ "entity_name_closed": "{entity_name} cerrado",
+ "entity_name_closing": "{entity_name} cerrando",
+ "entity_name_opening": "{entity_name} abriendo",
+ "entity_name_position_changes": "Cambios de posición de {entity_name}",
+ "entity_name_tilt_position_changes": "Cambios en la posición de inclinación cambió de {entity_name}",
"entity_name_battery_is_low": "{entity_name} la batería está baja",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} está detectando monóxido de carbono",
@@ -2772,7 +3113,6 @@
"entity_name_is_detecting_gas": "{entity_name} está detectando gas",
"entity_name_is_hot": "{entity_name} está caliente",
"entity_name_is_detecting_light": "{entity_name} está detectando luz",
- "entity_name_is_locked": "{entity_name} está bloqueado",
"entity_name_is_moist": "{entity_name} está húmedo",
"entity_name_is_detecting_motion": "{entity_name} está detectando movimiento",
"entity_name_is_moving": "{entity_name} se está moviendo",
@@ -2790,18 +3130,15 @@
"entity_name_is_not_cold": "{entity_name} no está frío",
"entity_name_is_unplugged": "{entity_name} está desconectado",
"entity_name_is_not_hot": "{entity_name} no está caliente",
- "entity_name_is_unlocked": "{entity_name} está desbloqueado",
"entity_name_is_dry": "{entity_name} está seco",
"entity_name_is_not_moving": "{entity_name} no se mueve",
"entity_name_is_not_occupied": "{entity_name} no está ocupado",
- "entity_name_is_closed": "{entity_name} está cerrado",
"entity_name_is_not_powered": "{entity_name} no tiene encendido",
"entity_name_is_not_present": "{entity_name} no está presente",
"entity_name_is_not_running": "{entity_name} no se está ejecutando",
"condition_type_is_not_tampered": "{entity_name} no detecta la manipulación",
"entity_name_is_safe": "{entity_name} es seguro",
"entity_name_is_occupied": "{entity_name} está ocupado",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} está enchufado",
"entity_name_is_present": "{entity_name} está presente",
"entity_name_is_detecting_problem": "{entity_name} está detectando un problema",
@@ -2820,7 +3157,6 @@
"entity_name_started_detecting_gas": "{entity_name} comenzó a detectar gas",
"entity_name_became_hot": "{entity_name} se calentó",
"entity_name_started_detecting_light": "{entity_name} comenzó a detectar luz",
- "entity_name_locked": "{entity_name} bloqueado",
"entity_name_became_moist": "{entity_name} se humedeció",
"entity_name_started_detecting_motion": "{entity_name} comenzó a detectar movimiento",
"entity_name_started_moving": "{entity_name} comenzó a moverse",
@@ -2831,25 +3167,21 @@
"entity_name_stopped_detecting_problem": "{entity_name} dejó de detectar problemas",
"entity_name_stopped_detecting_smoke": "{entity_name} dejó de detectar humo",
"entity_name_stopped_detecting_sound": "{entity_name} dejó de detectar sonido",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} dejó de detectar vibraciones",
"entity_name_battery_normal": "{entity_name} batería normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} no se enfrió",
"entity_name_unplugged": "{entity_name} desconectado",
"entity_name_became_not_hot": "{entity_name} no se calentó",
- "entity_name_unlocked": "{entity_name} desbloqueado",
"entity_name_became_dry": "{entity_name} se secó",
"entity_name_stopped_moving": "{entity_name} dejó de moverse",
"entity_name_became_not_occupied": "{entity_name} se desocupó",
- "entity_name_closed": "{entity_name} cerrado",
"entity_name_not_powered": "{entity_name} no encendido",
"entity_name_not_present": "{entity_name} no presente",
"trigger_type_not_running": "{entity_name} ya no se está ejecutando",
"entity_name_stopped_detecting_tampering": "{entity_name} dejó de detectar manipulación",
"entity_name_became_safe": "{entity_name} se volvió seguro",
"entity_name_became_occupied": "{entity_name} se ocupó",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} enchufado",
"entity_name_powered": "{entity_name} encendido",
"entity_name_present": "{entity_name} presente",
@@ -2867,36 +3199,6 @@
"entity_name_starts_buffering": "{entity_name} starts buffering",
"entity_name_becomes_idle": "{entity_name} becomes idle",
"entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} está en casa",
- "entity_name_is_not_home": "{entity_name} no está en casa",
- "entity_name_enters_a_zone": "{entity_name} ingresa a una zona",
- "entity_name_leaves_a_zone": "{entity_name} abandona una zona",
- "decrease_entity_name_brightness": "Disminuya el brillo de {entity_name}",
- "increase_entity_name_brightness": "Aumenta el brillo de {entity_name}",
- "flash_entity_name": "Destello {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "trigger_type_turned_on": "{entity_name} got an update available",
- "arm_entity_name_away": "Habilitar {entity_name} fuera de casa",
- "arm_entity_name_home": "Habilitar {entity_name} en casa",
- "arm_entity_name_night": "Habilitar {entity_name} de noche",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Deshabilitar {entity_name}",
- "trigger_entity_name": "Activar {entity_name}",
- "entity_name_is_armed_away": "{entity_name} está habilitada fuera de casa",
- "entity_name_is_armed_home": "{entity_name} está habilitada en casa",
- "entity_name_is_armed_night": "{entity_name} está habilitada de noche",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} está deshabilitada",
- "entity_name_is_triggered": "{entity_name} está activada",
- "entity_name_armed_away": "{entity_name} habilitada fuera de casa",
- "entity_name_armed_home": "{entity_name} habilitada en casa",
- "entity_name_armed_night": "{entity_name} habilitada de noche",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} deshabilitada",
- "entity_name_triggered": "{entity_name} activada",
- "press_entity_name_button": "Presiona el botón {entity_name}",
- "entity_name_has_been_pressed": "{entity_name} ha sido presionado",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2906,35 +3208,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Cerrar {entity_name}",
- "close_entity_name_tilt": "Cerrar la inclinación de {entity_name}",
- "open_entity_name": "Abrir {entity_name}",
- "open_entity_name_tilt": "Abrir la inclinación de {entity_name}",
- "set_entity_name_position": "Establecer la posición de {entity_name}",
- "set_entity_name_tilt_position": "Establecer la posición de inclinación {entity_name}",
- "stop_entity_name": "Detener {entity_name}",
- "entity_name_is_closing": "{entity_name} se está cerrando",
- "entity_name_is_opening": "{entity_name} se está abriendo",
- "current_entity_name_position_is": "La posición actual de {entity_name} es",
- "condition_type_is_tilt_position": "La posición de inclinación actual de {entity_name} es",
- "entity_name_closing": "{entity_name} cerrando",
- "entity_name_opening": "{entity_name} abriendo",
- "entity_name_position_changes": "Cambios de posición de {entity_name}",
- "entity_name_tilt_position_changes": "Cambios en la posición de inclinación cambió de {entity_name}",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Quinto botón",
- "sixth_button": "Sexto botón",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "Se soltó \"{subtype}\" después de una pulsación prolongada",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Ambos botones",
"bottom_buttons": "Botones inferiores",
"seventh_button": "Séptimo botón",
@@ -2960,13 +3233,6 @@
"trigger_type_remote_rotate_from_side": "Dispositivo girado de \"lado 6\" a \"{subtype}\"",
"device_turned_clockwise": "Dispositivo girado en sentido de las agujas del reloj",
"device_turned_counter_clockwise": "Dispositivo girado en sentido contrario a las agujas del reloj",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Deje que {entity_name} limpie",
- "action_type_dock": "Dejar que {entity_name} regrese al dock",
- "entity_name_is_cleaning": "{entity_name} está limpiando",
- "entity_name_is_docked": "{entity_name} está acoplado",
- "entity_name_started_cleaning": "{entity_name} comenzó a limpiar",
- "entity_name_docked": "{entity_name} acoplado",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2977,29 +3243,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Bloquear {entity_name}",
- "unlock_entity_name": "Desbloquear {entity_name}",
+ "arm_entity_name_away": "Habilitar {entity_name} fuera de casa",
+ "arm_entity_name_home": "Habilitar {entity_name} en casa",
+ "arm_entity_name_night": "Habilitar {entity_name} de noche",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Deshabilitar {entity_name}",
+ "trigger_entity_name": "Activar {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} está habilitada fuera de casa",
+ "entity_name_is_armed_home": "{entity_name} está habilitada en casa",
+ "entity_name_is_armed_night": "{entity_name} está habilitada de noche",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} está deshabilitada",
+ "entity_name_is_triggered": "{entity_name} está activada",
+ "entity_name_armed_away": "{entity_name} habilitada fuera de casa",
+ "entity_name_armed_home": "{entity_name} habilitada en casa",
+ "entity_name_armed_night": "{entity_name} habilitada de noche",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} deshabilitada",
+ "entity_name_triggered": "{entity_name} activada",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Graznido",
+ "warn": "Advertir",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "Con cualquier cara/especificada(s) activada(s)",
+ "device_dropped": "Dispositivo caído",
+ "device_flipped_subtype": "Dispositivo volteado \"{subtype}\"",
+ "device_knocked_subtype": "Dispositivo golpeado \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Dispositivo girado \"{subtype}\"",
+ "device_slid_subtype": "Dispositivo deslizado \"{subtype}\"",
+ "device_tilted": "Dispositivo inclinado",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3130,52 +3421,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3192,6 +3453,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3202,102 +3464,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3310,25 +3481,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
"brightness_step_value": "Brightness step value",
"brightness_step_pct_description": "Change brightness by a percentage.",
"brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3354,27 +3570,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3413,40 +3910,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3454,77 +3917,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3533,83 +3935,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/es/es.json b/packages/core/src/hooks/useLocale/locales/es/es.json
index 12530ae7..5cd00931 100644
--- a/packages/core/src/hooks/useLocale/locales/es/es.json
+++ b/packages/core/src/hooks/useLocale/locales/es/es.json
@@ -52,7 +52,7 @@
"area_not_found": "Área no encontrada.",
"last_triggered": "Última activación",
"run_actions": "Ejecutar acciones",
- "press": "Pulsar",
+ "press": "Pulsación",
"image_not_available": "Imagen no disponible",
"currently": "Actualmente",
"on_off": "Encendido/Apagado",
@@ -68,8 +68,8 @@
"action_to_target": "{action} al objetivo",
"target": "Objetivo",
"humidity_target": "Humedad deseada",
- "increment": "Incremento",
- "decrement": "Decremento",
+ "increment": "Incrementar",
+ "decrement": "Decrementar",
"reset": "Restablecer",
"position": "Posición",
"tilt_position": "Posición inclinada",
@@ -264,6 +264,7 @@
"learn_more_about_templating": "Saber más sobre las plantillas.",
"show_password": "Mostrar contraseña",
"hide_password": "Ocultar contraseña",
+ "ui_components_selectors_background_yaml_info": "La imagen de fondo se configura a través del editor yaml.",
"no_logbook_events_found": "No se han encontrado eventos en el registro.",
"triggered_by": "disparado por",
"triggered_by_automation": "disparado por automatización",
@@ -572,7 +573,7 @@
"url": "URL",
"video": "Vídeo",
"media_browser_media_player_unavailable": "El reproductor multimedia seleccionado no está disponible.",
- "auto": "Automático",
+ "auto": "Auto",
"grid": "Cuadrícula",
"list": "Lista",
"task_name": "Nombre de la tarea",
@@ -645,8 +646,9 @@
"line_line_column_column": "línea: {line}, columna: {column}",
"last_changed": "Último cambio",
"last_updated": "Última actualización",
- "remaining_time": "Tiempo restante",
+ "time_left": "Tiempo restante",
"install_status": "Estado de la instalación",
+ "ui_components_multi_textfield_add_item": "Añadir {item}",
"safe_mode": "Modo seguro",
"all_yaml_configuration": "Toda la configuración YAML",
"domain": "Dominio",
@@ -750,6 +752,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Crea una copia de seguridad antes de actualizar",
"update_instructions": "Instrucciones de actualización",
"current_activity": "Actividad actual",
+ "status": "Estado 2",
"vacuum_cleaner_commands": "Comandos de aspiradora:",
"fan_speed": "Velocidad del ventilador",
"clean_spot": "Limpiar punto",
@@ -784,7 +787,7 @@
"default_code": "Código predeterminado",
"editor_default_code_error": "El código no coincide con el formato de código",
"entity_id": "ID de entidad",
- "unit_of_measurement": "Unidad de medida",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "Unidad de precipitación",
"display_precision": "Precisión de visualización",
"default_value": "Predeterminado ({value})",
@@ -805,7 +808,7 @@
"cold": "Frío",
"connectivity": "Conectividad",
"gas": "Gas",
- "heat": "Calor",
+ "heat": "Calefacción",
"light": "Luz",
"motion": "Movimiento",
"moving": "En movimiento",
@@ -865,7 +868,7 @@
"restart_home_assistant": "¿Reiniciar Home Assistant?",
"advanced_options": "Opciones avanzadas",
"quick_reload": "Recarga rápida",
- "reload_description": "Recarga todos los scripts disponibles.",
+ "reload_description": "Recarga los temporizadores desde la configuración YAML.",
"reloading_configuration": "Volver a cargar la configuración",
"failed_to_reload_configuration": "No se pudo recargar la configuración",
"restart_description": "Interrumpe todas las automatizaciones y scripts en ejecución.",
@@ -892,8 +895,8 @@
"password": "Contraseña",
"regex_pattern": "Patrón Regex",
"used_for_client_side_validation": "Se utiliza para la validación del lado del cliente",
- "minimum_value": "Valor mínimo",
- "maximum_value": "Valor máximo",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Campo de entrada",
"slider": "Control deslizante",
"step_size": "Tamaño del paso",
@@ -1214,7 +1217,7 @@
"ui_panel_lovelace_editor_edit_view_type_helper_sections": "No puedes cambiar tu vista para usar el tipo de vista 'secciones' porque la migración aún no es compatible. Comienza desde cero con una nueva vista si quieres experimentar con la vista de \"secciones\".",
"card_configuration": "Configuración de la tarjeta",
"type_card_configuration": "Configuración de tarjeta {type}",
- "edit_card_pick_card": "¿Qué tarjeta te gustaría añadir?",
+ "add_to_dashboard": "Añadir al panel de control",
"toggle_editor": "Alternar editor",
"you_have_unsaved_changes": "Tienes cambios sin guardar",
"edit_card_confirm_cancel": "¿Estás seguro de que quieres cancelar?",
@@ -1241,7 +1244,6 @@
"edit_badge_pick_badge": "¿Qué insignia te gustaría añadir?",
"add_badge": "Añadir insignia",
"suggest_card_header": "Hemos creado una sugerencia para ti",
- "add_to_dashboard": "Añadir al panel de control",
"move_card_strategy_error_title": "No es posible mover la tarjeta",
"card_moved_successfully": "La tarjeta se ha movido correctamente",
"error_while_moving_card": "Error al mover la tarjeta",
@@ -1415,6 +1417,11 @@
"show_more_detail": "Mostrar más detalles",
"to_do_list": "Lista de tareas pendientes",
"hide_completed_items": "Ocultar elementos completados",
+ "ui_panel_lovelace_editor_card_todo_list_display_order": "Orden de visualización",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc": "Alfabético (A-Z)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_desc": "Alfabético (Z-A)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc": "Fecha de vencimiento (los que vencen más pronto primero)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc": "Fecha de vencimiento (los que vencen más tarde primero)",
"thermostat": "Termostato",
"thermostat_show_current_as_primary": "Mostrar la temperatura actual como información principal",
"tile": "Mosaico",
@@ -1520,144 +1527,123 @@
"now": "Ahora",
"compare_data": "Comparar datos",
"reload_ui": "Recargar la IU Lovelace",
- "input_datetime": "Entrada de fecha y hora",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Temporizador",
- "local_calendar": "Calendario local",
- "intent": "Intent",
- "device_tracker": "Rastreador de dispositivos",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Entrada booleana",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "Aplicación móvil",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnósticos",
+ "filesize": "Tamaño del archivo",
+ "group": "Grupo",
+ "binary_sensor": "Sensor binario",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Entrada de selección",
+ "device_automation": "Device Automation",
+ "person": "Persona",
+ "input_button": "Botón de entrada",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Registrador",
+ "script": "Script",
"fan": "Ventilador",
- "weather": "Clima",
- "camera": "Cámara",
+ "scene": "Scene",
"schedule": "Programación",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automatización",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Clima",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversación",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Entrada de texto",
- "valve": "Válvula",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climatización",
- "binary_sensor": "Sensor binario",
- "broadlink": "Broadlink",
+ "assist_satellite": "Satélite Assist",
+ "automation": "Automatización",
+ "system_log": "System Log",
+ "cover": "Cubierta",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Válvula",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cubierta",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Calendario local",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Sirena",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Cortacésped",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zona",
- "auth": "Auth",
- "event": "Evento",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Rastreador de dispositivos",
+ "remote": "Mando a distancia",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Interruptor",
+ "persistent_notification": "Notificación persistente",
+ "vacuum": "Aspiradora",
+ "reolink": "Reolink",
+ "camera": "Cámara",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Notificación persistente",
- "trace": "Trace",
- "remote": "Mando a distancia",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Contador",
- "filesize": "Tamaño del archivo",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Comprobador de fuente de alimentación de Raspberry Pi",
+ "conversation": "Conversación",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climatización",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Entrada booleana",
- "lawn_mower": "Cortacésped",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Evento",
+ "zone": "Zona",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Panel de control de alarma",
- "input_select": "Entrada de selección",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Aplicación móvil",
+ "timer": "Temporizador",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Interruptor",
+ "input_datetime": "Entrada de fecha y hora",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Contador",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Credenciales de la aplicación",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Grupo",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnósticos",
- "person": "Persona",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Entrada de texto",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Credenciales de la aplicación",
- "siren": "Sirena",
- "bluetooth": "Bluetooth",
- "logger": "Registrador",
- "input_button": "Botón de entrada",
- "vacuum": "Aspiradora",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Comprobador de fuente de alimentación de Raspberry Pi",
- "assist_satellite": "Satélite Assist",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Calorías de actividad",
- "awakenings_count": "Recuento de despertares",
- "battery_level": "Nivel de batería",
- "bmi": "IMC",
- "body_fat": "Grasa corporal",
- "calories": "Calorías",
- "calories_bmr": "Calorías BMR",
- "calories_in": "Calorías ingeridas",
- "floors": "Pisos",
- "minutes_after_wakeup": "Minutos después de despertar",
- "minutes_fairly_active": "Minutos bastante activos",
- "minutes_lightly_active": "Minutos ligeramente activos",
- "minutes_sedentary": "Minutos sedentarios",
- "minutes_very_active": "Minutos muy activos",
- "resting_heart_rate": "Frecuencia cardíaca en reposo",
- "sleep_efficiency": "Eficiencia del sueño",
- "sleep_minutes_asleep": "Minutos de sueño",
- "sleep_minutes_awake": "Minutos despierto",
- "sleep_minutes_to_fall_asleep_name": "Minutos para conciliar el sueño",
- "sleep_start_time": "Hora de inicio del sueño",
- "sleep_time_in_bed": "Tiempo de sueño en la cama",
- "steps": "Pasos",
"battery_low": "Batería baja",
"cloud_connection": "Conexión a la nube",
"humidity_warning": "Advertencia de humedad",
- "closed": "Cerrado",
+ "closed": "Cerrada",
"overheated": "Sobrecalentado",
"temperature_warning": "Advertencia de temperatura",
"update_available": "Actualización disponible",
@@ -1680,6 +1666,7 @@
"alarm_source": "Fuente de alarma",
"auto_off_at": "Apagado automático a las",
"available_firmware_version": "Versión de firmware disponible",
+ "battery_level": "Nivel de batería",
"this_month_s_consumption": "Consumo de este mes",
"today_s_consumption": "Consumo hoy",
"total_consumption": "Consumo total",
@@ -1705,30 +1692,16 @@
"motion_sensor": "Sensor de movimiento",
"smooth_transitions": "Transiciones suaves",
"tamper_detection": "Detección de manipulación",
- "next_dawn": "Próximo amanecer",
- "next_dusk": "Próximo anochecer",
- "next_midnight": "Próxima medianoche",
- "next_noon": "Próximo mediodía",
- "next_rising": "Próxima salida del sol",
- "next_setting": "Próxima puesta de sol",
- "solar_azimuth": "Acimut solar",
- "solar_elevation": "Elevación solar",
- "day_of_week": "Día de la semana",
- "illuminance": "Iluminancia",
- "noise": "Ruido",
- "overload": "Sobrecarga",
- "working_location": "Lugar de trabajo",
- "created": "Creado",
- "size": "Tamaño",
- "size_in_bytes": "Tamaño en bytes",
- "compressor_energy_consumption": "Consumo de energía del compresor",
- "compressor_estimated_power_consumption": "Consumo de energía estimado del compresor",
- "compressor_frequency": "Frecuencia del compresor",
- "cool_energy_consumption": "Consumo de energía de refrigeración",
- "energy_consumption": "Consumo de energía",
- "heat_energy_consumption": "Consumo de energía de calefacción",
- "inside_temperature": "Temperatura interior",
- "outside_temperature": "Temperatura exterior",
+ "calibration": "Calibración",
+ "auto_lock_paused": "Bloqueo automático en pausa",
+ "timeout": "Tiempo de espera",
+ "unclosed_alarm": "Alarma no cerrada",
+ "unlocked_alarm": "Alarma desbloqueada",
+ "bluetooth_signal": "Señal Bluetooth",
+ "light_level": "Nivel de luz",
+ "wi_fi_signal": "Señal Wi-Fi",
+ "momentary": "Momentáneo",
+ "pull_retract": "Tirar/Retraer",
"process_process": "Proceso {process}",
"disk_free_mount_point": "Disco libre de {mount_point}",
"disk_use_mount_point": "Uso del disco de {mount_point}",
@@ -1748,34 +1721,75 @@
"swap_usage": "Uso de memoria de intercambio",
"network_throughput_in_interface": "Tráfico de red de entrada de {interface}",
"network_throughput_out_interface": "Tráfico de red de salida de {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist en progreso",
- "preferred": "Preferido",
- "finished_speaking_detection": "Detección de fin de habla",
- "aggressive": "Agresivo",
- "relaxed": "Relajado",
- "os_agent_version": "Versión de OS Agent",
- "apparmor_version": "Versión de Apparmor",
- "cpu_percent": "Porcentaje de CPU",
- "disk_free": "Disco libre",
- "disk_total": "Total del disco",
- "disk_used": "Disco utilizado",
- "memory_percent": "Porcentaje de memoria",
- "version": "Versión",
- "newest_version": "Versión más reciente",
+ "day_of_week": "Día de la semana",
+ "illuminance": "Iluminancia",
+ "noise": "Ruido",
+ "overload": "Sobrecarga",
+ "activity_calories": "Calorías de actividad",
+ "awakenings_count": "Recuento de despertares",
+ "bmi": "IMC",
+ "body_fat": "Grasa corporal",
+ "calories": "Calorías",
+ "calories_bmr": "Calorías BMR",
+ "calories_in": "Calorías ingeridas",
+ "floors": "Pisos",
+ "minutes_after_wakeup": "Minutos después de despertar",
+ "minutes_fairly_active": "Minutos bastante activos",
+ "minutes_lightly_active": "Minutos ligeramente activos",
+ "minutes_sedentary": "Minutos sedentarios",
+ "minutes_very_active": "Minutos muy activos",
+ "resting_heart_rate": "Frecuencia cardíaca en reposo",
+ "sleep_efficiency": "Eficiencia del sueño",
+ "sleep_minutes_asleep": "Minutos de sueño",
+ "sleep_minutes_awake": "Minutos despierto",
+ "sleep_minutes_to_fall_asleep_name": "Minutos para conciliar el sueño",
+ "sleep_start_time": "Hora de inicio del sueño",
+ "sleep_time_in_bed": "Tiempo de sueño en la cama",
+ "steps": "Pasos",
"synchronize_devices": "Sincronizar dispositivos",
- "estimated_distance": "Distancia estimada",
- "vendor": "Vendedor",
- "quiet": "Silencioso",
- "wake_word": "Palabra de activación",
- "okay_nabu": "Ok Nabu",
- "auto_gain": "Ganancia automática",
+ "ding": "Timbre",
+ "last_recording": "Última grabación",
+ "intercom_unlock": "Desbloqueo del intercomunicador",
+ "doorbell_volume": "Volumen del timbre",
"mic_volume": "Volumen del micrófono",
- "noise_suppression_level": "Nivel de supresión de ruido",
- "off": "Apagado",
- "mute": "Silenciar",
+ "voice_volume": "Volumen de voz",
+ "last_activity": "Última actividad",
+ "last_ding": "Último timbre",
+ "last_motion": "Último movimiento",
+ "wi_fi_signal_category": "Categoría de señal Wi-Fi",
+ "wi_fi_signal_strength": "Intensidad de la señal Wi-Fi",
+ "in_home_chime": "Timbre en casa",
+ "compressor_energy_consumption": "Consumo de energía del compresor",
+ "compressor_estimated_power_consumption": "Consumo de energía estimado del compresor",
+ "compressor_frequency": "Frecuencia del compresor",
+ "cool_energy_consumption": "Consumo de energía de refrigeración",
+ "energy_consumption": "Consumo de energía",
+ "heat_energy_consumption": "Consumo de energía de calefacción",
+ "inside_temperature": "Temperatura interior",
+ "outside_temperature": "Temperatura exterior",
+ "device_admin": "Administrador del dispositivo",
+ "kiosk_mode": "Modo quiosco",
+ "plugged_in": "Enchufado",
+ "load_start_url": "Cargar URL de inicio",
+ "restart_browser": "Reiniciar navegador",
+ "restart_device": "Reiniciar dispositivo",
+ "send_to_background": "Enviar a segundo plano",
+ "bring_to_foreground": "Traer al primer plano",
+ "screenshot": "Captura de pantalla",
+ "overlay_message": "Mensaje de superposición",
+ "screen_brightness": "Brillo de la pantalla",
+ "screen_off_timer": "Temporizador de apagado de pantalla",
+ "screensaver_brightness": "Brillo del protector de pantalla",
+ "screensaver_timer": "Temporizador del protector de pantalla",
+ "current_page": "Página actual",
+ "foreground_app": "Aplicación en primer plano",
+ "internal_storage_free_space": "Espacio libre del almacenamiento interno",
+ "internal_storage_total_space": "Espacio total del almacenamiento interno",
+ "total_memory": "Memoria total",
+ "screen_orientation": "Orientación de pantalla",
+ "kiosk_lock": "Bloqueo de quiosco",
+ "maintenance_mode": "Modo de mantenimiento",
+ "screensaver": "Protector de pantalla",
"pet": "Animal",
"detected": "Detectado",
"pet_lens": "Animal en lente 1",
@@ -1846,6 +1860,7 @@
"pir_sensitivity": "Sensibilidad del PIR",
"zoom": "Zoom",
"auto_quick_reply_message": "Mensaje de respuesta rápida automática",
+ "off": "Apagada",
"auto_track_method": "Método de seguimiento automático",
"digital": "Digital",
"digital_first": "Digital primero",
@@ -1896,7 +1911,6 @@
"ptz_pan_position": "Posición panorámica de PTZ",
"ptz_tilt_position": "Posición de inclinación PTZ",
"sd_hdd_index_storage": "Almacenamiento SD {hdd_index}",
- "wi_fi_signal": "Señal Wi-Fi",
"auto_focus": "Enfoque automático",
"auto_tracking": "Seguimiento automático",
"doorbell_button_sound": "Sonido del botón del timbre",
@@ -1913,6 +1927,48 @@
"record": "Grabar",
"record_audio": "Grabar audio",
"siren_on_event": "Sirena tras evento",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Creado",
+ "size": "Tamaño",
+ "size_in_bytes": "Tamaño en bytes",
+ "assist_in_progress": "Assist en progreso",
+ "quiet": "Silencioso",
+ "preferred": "Preferido",
+ "finished_speaking_detection": "Detección de fin de habla",
+ "aggressive": "Agresivo",
+ "relaxed": "Relajado",
+ "wake_word": "Palabra de activación",
+ "okay_nabu": "Ok Nabu",
+ "os_agent_version": "Versión de OS Agent",
+ "apparmor_version": "Versión de Apparmor",
+ "cpu_percent": "Porcentaje de CPU",
+ "disk_free": "Disco libre",
+ "disk_total": "Total del disco",
+ "disk_used": "Disco utilizado",
+ "memory_percent": "Porcentaje de memoria",
+ "version": "Versión",
+ "newest_version": "Versión más reciente",
+ "auto_gain": "Ganancia automática",
+ "noise_suppression_level": "Nivel de supresión de ruido",
+ "mute": "Silenciar",
+ "bytes_received": "Bytes recibidos",
+ "server_country": "País del servidor",
+ "server_id": "ID del servidor",
+ "server_name": "Nombre del servidor",
+ "ping": "Ping",
+ "upload": "Subida",
+ "bytes_sent": "Bytes enviados",
+ "working_location": "Lugar de trabajo",
+ "next_dawn": "Próximo amanecer",
+ "next_dusk": "Próximo anochecer",
+ "next_midnight": "Próxima medianoche",
+ "next_noon": "Próximo mediodía",
+ "next_rising": "Próxima salida del sol",
+ "next_setting": "Próxima puesta de sol",
+ "solar_azimuth": "Acimut solar",
+ "solar_elevation": "Elevación solar",
"heavy": "Pesado",
"mild": "Moderado",
"button_down": "Botón abajo",
@@ -1930,70 +1986,248 @@
"checking": "Comprobando",
"closing": "Cerrando",
"opened": "Abierto",
- "ding": "Timbre",
- "last_recording": "Última grabación",
- "intercom_unlock": "Desbloqueo del intercomunicador",
- "doorbell_volume": "Volumen del timbre",
- "voice_volume": "Volumen de voz",
- "last_activity": "Última actividad",
- "last_ding": "Último timbre",
- "last_motion": "Último movimiento",
- "wi_fi_signal_category": "Categoría de señal Wi-Fi",
- "wi_fi_signal_strength": "Intensidad de la señal Wi-Fi",
- "in_home_chime": "Timbre en casa",
- "calibration": "Calibración",
- "auto_lock_paused": "Bloqueo automático en pausa",
- "timeout": "Tiempo de espera",
- "unclosed_alarm": "Alarma no cerrada",
- "unlocked_alarm": "Alarma desbloqueada",
- "bluetooth_signal": "Señal Bluetooth",
- "light_level": "Nivel de luz",
- "momentary": "Momentáneo",
- "pull_retract": "Tirar/Retraer",
- "bytes_received": "Bytes recibidos",
- "server_country": "País del servidor",
- "server_id": "ID del servidor",
- "server_name": "Nombre del servidor",
- "ping": "Ping",
- "upload": "Subida",
- "bytes_sent": "Bytes enviados",
- "device_admin": "Administrador del dispositivo",
- "kiosk_mode": "Modo quiosco",
- "plugged_in": "Enchufado",
- "load_start_url": "Cargar URL de inicio",
- "restart_browser": "Reiniciar navegador",
- "restart_device": "Reiniciar dispositivo",
- "send_to_background": "Enviar a segundo plano",
- "bring_to_foreground": "Traer al primer plano",
- "screenshot": "Captura de pantalla",
- "overlay_message": "Mensaje de superposición",
- "screen_brightness": "Brillo de la pantalla",
- "screen_off_timer": "Temporizador de apagado de pantalla",
- "screensaver_brightness": "Brillo del protector de pantalla",
- "screensaver_timer": "Temporizador del protector de pantalla",
- "current_page": "Página actual",
- "foreground_app": "Aplicación en primer plano",
- "internal_storage_free_space": "Espacio libre del almacenamiento interno",
- "internal_storage_total_space": "Espacio total del almacenamiento interno",
- "total_memory": "Memoria total",
- "screen_orientation": "Orientación de pantalla",
- "kiosk_lock": "Bloqueo de quiosco",
- "maintenance_mode": "Modo de mantenimiento",
- "screensaver": "Protector de pantalla",
- "last_scanned_by_device_id_name": "Último escaneo por ID del dispositivo",
- "tag_id": "ID de etiqueta",
- "managed_via_ui": "Gestionado a través de la IU",
- "pattern": "Patrón",
- "minute": "Minuto",
- "second": "Segundo",
- "timestamp": "Marca de tiempo",
- "stopped": "Detenido",
+ "estimated_distance": "Distancia estimada",
+ "vendor": "Vendedor",
+ "accelerometer": "Acelerómetro",
+ "binary_input": "Entrada binaria",
+ "calibrated": "Calibrado",
+ "consumer_connected": "Consumidor conectado",
+ "external_sensor": "Sensor externo",
+ "frost_lock": "Bloqueo antihielo",
+ "opened_by_hand": "Abierto a mano",
+ "heat_required": "Calor necesario",
+ "ias_zone": "Zona IAS",
+ "linkage_alarm_state": "Estado de alarma de enlace",
+ "mounting_mode_active": "Modo de montaje activo",
+ "open_window_detection_status": "Estado de detección de ventana abierta",
+ "pre_heat_status": "Estado de precalentamiento",
+ "replace_filter": "Sustituir el filtro",
+ "valve_alarm": "Alarma de válvula",
+ "open_window_detection": "Detección de ventana abierta",
+ "feed": "Alimentar",
+ "frost_lock_reset": "Restablecimiento del bloqueo antihielo",
+ "presence_status_reset": "Restablecer estado de presencia",
+ "reset_summation_delivered": "Restablecimiento de la suma entregada",
+ "self_test": "Autodiagnóstico",
+ "keen_vent": "Respiradero Keen",
+ "fan_group": "Grupo de ventiladores",
+ "light_group": "Grupo de luces",
+ "door_lock": "Cerradura de puerta",
+ "ambient_sensor_correction": "Corrección del sensor ambiental",
+ "approach_distance": "Distancia de aproximación",
+ "automatic_switch_shutoff_timer": "Temporizador de apagado automático",
+ "away_preset_temperature": "Temperatura preestablecida cuando ausente",
+ "boost_amount": "Cantidad de impulso",
+ "button_delay": "Retardo del botón",
+ "local_default_dimming_level": "Nivel de atenuación predeterminado local",
+ "remote_default_dimming_level": "Nivel de atenuación predeterminado remoto",
+ "default_move_rate": "Tasa de movimiento predeterminada",
+ "detection_delay": "Retardo de detección",
+ "maximum_range": "Alcance máximo",
+ "minimum_range": "Alcance mínimo",
+ "detection_interval": "Intervalo de detección",
+ "local_dimming_down_speed": "Velocidad de disminución de la intensidad local",
+ "remote_dimming_down_speed": "Velocidad de disminución de la intensidad remota",
+ "local_dimming_up_speed": "Velocidad de aumento de la intensidad local",
+ "remote_dimming_up_speed": "Velocidad de aumento de la intensidad remota",
+ "display_activity_timeout": "Tiempo de espera de actividad de la pantalla",
+ "display_inactive_brightness": "Brillo de pantalla inactiva",
+ "double_tap_down_level": "Nivel de disminución de doble toque",
+ "double_tap_up_level": "Nivel de incremento de doble toque",
+ "exercise_start_time": "Hora de inicio del ejercicio",
+ "external_sensor_correction": "Corrección del sensor externo",
+ "external_temperature_sensor": "Sensor de temperatura externo",
+ "fading_time": "Tiempo de desvanecimiento",
+ "fallback_timeout": "Tiempo de espera de reserva",
+ "filter_life_time": "Vida útil del filtro",
+ "fixed_load_demand": "Demanda de carga fija",
+ "frost_protection_temperature": "Temperatura de protección contra heladas",
+ "irrigation_cycles": "Ciclos de riego",
+ "irrigation_interval": "Intervalo de riego",
+ "irrigation_target": "Objetivo de riego",
+ "led_color_when_off_name": "Color por defecto de todos los LEDs apagados",
+ "led_color_when_on_name": "Color por defecto de todos los LEDs encendidos",
+ "led_intensity_when_off_name": "Intensidad por defecto de todos los LEDs apagados",
+ "led_intensity_when_on_name": "Intensidad por defecto de todos los LEDs encendidos",
+ "load_level_indicator_timeout": "Tiempo de espera del indicador de nivel de carga",
+ "load_room_mean": "Valor medio del espacio de carga",
+ "local_temperature_offset": "Compensación de temperatura local",
+ "max_heat_setpoint_limit": "Límite máximo de consigna de calor",
+ "maximum_load_dimming_level": "Nivel máximo de regulación de la carga",
+ "min_heat_setpoint_limit": "Límite mínimo de consigna de calor",
+ "minimum_load_dimming_level": "Nivel mínimo de regulación de la carga",
+ "off_led_intensity": "Intensidad de LED apagado",
+ "off_transition_time": "Tiempo de transición a apagado",
+ "on_led_intensity": "Intensidad de LED encendido",
+ "on_level": "Nivel de encendido",
+ "on_off_transition_time": "Tiempo de transición encendido/apagado",
+ "on_transition_time": "Tiempo de transición a encendido",
+ "open_window_detection_guard_period_name": "Periodo de protección de detección de ventana abierta",
+ "open_window_detection_threshold": "Umbral de detección de ventana abierta",
+ "open_window_event_duration": "Duración del evento de ventana abierta",
+ "portion_weight": "Peso de la porción",
+ "presence_detection_timeout": "Tiempo de espera de detección de presencia",
+ "presence_sensitivity": "Sensibilidad de presencia",
+ "fade_time": "Tiempo de fundido",
+ "quick_start_time": "Hora de inicio rápido",
+ "ramp_rate_off_to_on_local_name": "Velocidad de rampa local de apagado a encendido",
+ "ramp_rate_off_to_on_remote_name": "Velocidad de rampa remota de apagado a encendido",
+ "ramp_rate_on_to_off_local_name": "Velocidad de rampa local de encendido a apagado",
+ "ramp_rate_on_to_off_remote_name": "Velocidad de rampa remota de encendido a apagado",
+ "regulation_setpoint_offset": "Offset de consigna de regulación",
+ "regulator_set_point": "Consigna del regulador",
+ "serving_to_dispense": "Sirviendo para dispensar",
+ "siren_time": "Tiempo de sirena",
+ "start_up_color_temperature": "Temperatura de color inicial",
+ "start_up_current_level": "Nivel de corriente de inicio",
+ "start_up_default_dimming_level": "Nivel de atenuación predeterminado de inicio",
+ "timer_duration": "Duración del temporizador",
+ "timer_time_left": "Tiempo restante del temporizador",
+ "transmit_power": "Potencia de transmisión",
+ "valve_closing_degree": "Grado de cierre de la válvula",
+ "irrigation_time": "Tiempo de riego 2",
+ "valve_opening_degree": "Grado de apertura de la válvula",
+ "adaptation_run_command": "Orden de ejecución de adaptación",
+ "backlight_mode": "Modo de retro iluminación",
+ "click_mode": "Modo clic",
+ "control_type": "Tipo de control",
+ "decoupled_mode": "Modo desacoplado",
+ "default_siren_level": "Nivel de sirena predeterminado",
+ "default_siren_tone": "Tono de sirena predeterminado",
+ "default_strobe": "Luz estroboscópica predeterminada",
+ "default_strobe_level": "Nivel estroboscópico predeterminado",
+ "detection_distance": "Distancia de detección",
+ "detection_sensitivity": "Sensibilidad de detección",
+ "exercise_day_of_week_name": "Día de ejercicio de la semana.",
+ "external_temperature_sensor_type": "Tipo de sensor de temperatura externo",
+ "external_trigger_mode": "Modo de disparo externo",
+ "heat_transfer_medium": "Medio de transferencia de calor",
+ "heating_emitter_type": "Tipo de emisor de calefacción",
+ "heating_fuel": "Combustible para calefacción",
+ "non_neutral_output": "Salida no neutra",
+ "irrigation_mode": "Modo de riego",
+ "keypad_lockout": "Bloqueo del teclado",
+ "dimming_mode": "Modo de atenuación",
+ "led_scaling_mode": "Modo de escala LED",
+ "local_temperature_source": "Fuente de temperatura local",
+ "monitoring_mode": "Modo de monitorización",
+ "off_led_color": "Color de LED apagado",
+ "on_led_color": "Color de LED encendido",
+ "operation_mode": "Modo de operación",
+ "output_mode": "Modo de salida",
+ "power_on_state": "Estado de encendido",
+ "regulator_period": "Periodo de regulación",
+ "sensor_mode": "Modo del sensor",
+ "setpoint_response_time": "Tiempo de respuesta de la consigna",
+ "smart_fan_led_display_levels_name": "Niveles de pantalla LED de ventilador inteligente",
+ "start_up_behavior": "Comportamiento inicial",
+ "switch_mode": "Modo interruptor",
+ "switch_type": "Tipo de interruptor",
+ "thermostat_application": "Aplicación de termostato",
+ "thermostat_mode": "Modo termostato",
+ "valve_orientation": "Orientación de la válvula",
+ "viewing_direction": "Dirección de visión",
+ "weather_delay": "Retardo meteorológico",
+ "curtain_mode": "Modo cortina",
+ "ac_frequency": "Frecuencia de CA",
+ "adaptation_run_status": "Estado de ejecución de adaptación",
+ "in_progress": "En curso",
+ "run_successful": "Ejecución con éxito",
+ "valve_characteristic_lost": "Característica de válvula perdida",
+ "analog_input": "Entrada analógica",
+ "control_status": "Estado de control",
+ "device_run_time": "Tiempo de funcionamiento del dispositivo",
+ "device_temperature": "Temperatura del dispositivo",
+ "target_distance": "Distancia objetivo",
+ "filter_run_time": "Tiempo de funcionamiento del filtro",
+ "formaldehyde_concentration": "Concentración de formaldehído",
+ "hooks_state": "Estado de los ganchos",
+ "hvac_action": "Acción HVAC",
+ "instantaneous_demand": "Demanda instantánea",
+ "internal_temperature": "Temperatura interna",
+ "irrigation_duration": "Duración del riego 1",
+ "last_irrigation_duration": "Duración del último riego",
+ "irrigation_end_time": "Hora de finalización del riego",
+ "irrigation_start_time": "Hora de inicio del riego",
+ "last_feeding_size": "Tamaño de la última toma",
+ "last_feeding_source": "Última fuente de alimentación",
+ "last_illumination_state": "Último estado de iluminación",
+ "last_valve_open_duration": "Última duración de válvula abierta",
+ "leaf_wetness": "Humedad de las hojas",
+ "load_estimate": "Estimación de carga",
+ "floor_temperature": "Temperatura del suelo",
+ "lqi": "LQI",
+ "motion_distance": "Distancia de movimiento",
+ "motor_stepcount": "Recuento de pasos del motor",
+ "open_window_detected": "Ventana abierta detectada",
+ "overheat_protection": "Protección contra sobrecalentamiento",
+ "pi_heating_demand": "Demanda de calefacción Pi",
+ "portions_dispensed_today": "Porciones dispensadas hoy",
+ "pre_heat_time": "Tiempo de precalentamiento",
+ "rssi": "RSSI",
+ "self_test_result": "Resultado de la autocomprobación",
+ "setpoint_change_source": "Fuente de cambio de consigna",
+ "smoke_density": "Densidad del humo",
+ "software_error": "Error de software",
+ "good": "Bueno",
+ "critical_low_battery": "Batería baja crítica",
+ "encoder_jammed": "Codificador atascado",
+ "invalid_clock_information": "Información de reloj no válida",
+ "invalid_internal_communication": "Comunicación interna no válida",
+ "motor_error": "Error de motor",
+ "non_volatile_memory_error": "Error de memoria no volátil",
+ "radio_communication_error": "Error de comunicación por radio",
+ "side_pcb_sensor_error": "Error del sensor PCB lateral",
+ "top_pcb_sensor_error": "Error del sensor PCB superior",
+ "unknown_hw_error": "Error de HW desconocido",
+ "soil_moisture": "Humedad del suelo",
+ "summation_delivered": "Resumen entregado",
+ "summation_received": "Resumen recibido",
+ "tier_summation_delivered": "Resumen de nivel 6 entregada",
+ "timer_state": "Estado del temporizador",
+ "weight_dispensed_today": "Peso dispensado hoy",
+ "window_covering_type": "Tipo de cubierta de ventana",
+ "adaptation_run_enabled": "Ejecución de adaptación habilitada",
+ "aux_switch_scenes": "Escenas del interruptor auxiliar",
+ "binding_off_to_on_sync_level_name": "Nivel de sincronización de apagado a encendido",
+ "buzzer_manual_alarm": "Alarma manual con zumbador",
+ "buzzer_manual_mute": "Silencio manual del zumbador",
+ "detach_relay": "Desconectar relé",
+ "disable_clear_notifications_double_tap_name": "Deshabilitar la configuración 2x toques para borrar las notificaciones",
+ "disable_led": "Deshabilitar LED",
+ "double_tap_down_enabled": "Doble toque hacia abajo habilitado",
+ "double_tap_up_enabled": "Doble toque hacia arriba habilitado",
+ "double_up_full_name": "Doble toque en - completo",
+ "enable_siren": "Habilitar sirena",
+ "external_window_sensor": "Sensor de ventana exterior",
+ "distance_switch": "Interruptor de distancia",
+ "firmware_progress_led": "LED de progreso del firmware",
+ "heartbeat_indicator": "Indicador de latido",
+ "heat_available": "Calor disponible",
+ "hooks_locked": "Ganchos bloqueados",
+ "invert_switch": "Interruptor invertido",
+ "inverted": "Invertido",
+ "led_indicator": "Indicador LED",
+ "linkage_alarm": "Alarma de enganche",
+ "local_protection": "Protección local",
+ "mounting_mode": "Modo de montaje",
+ "only_led_mode": "Modo sólo 1 LED",
+ "open_window": "Abrir ventana",
+ "power_outage_memory": "Memoria de corte de energía",
+ "prioritize_external_temperature_sensor": "Priorizar el sensor de temperatura externo",
+ "relay_click_in_on_off_mode_name": "Desactivar el clic del relé en modo encendido/apagado",
+ "smart_bulb_mode": "Modo de bombilla inteligente",
+ "smart_fan_mode": "Modo de ventilador inteligente",
+ "led_trigger_indicator": "Indicador LED de activación",
+ "turbo_mode": "Modo turbo",
+ "use_internal_window_detection": "Usar detección de ventana interna",
+ "use_load_balancing": "Usar distribución de carga",
+ "valve_detection": "Detección de válvula",
+ "window_detection": "Detección de ventana",
+ "invert_window_detection": "Detección de ventana invertida",
+ "available_tones": "Tonos disponibles",
"device_trackers": "Rastreadores de dispositivos",
"gps_accuracy": "Precisión GPS",
- "paused": "En pausa",
- "finishes_at": "Acaba a las",
- "remaining": "Restantes",
- "restore": "Restaurar",
"last_reset": "Último reinicio",
"possible_states": "Estados posibles",
"state_class": "Clase de estado",
@@ -2026,81 +2260,12 @@
"sound_pressure": "Presión sonora",
"speed": "Velocidad",
"sulphur_dioxide": "Dióxido de azufre",
+ "timestamp": "Marca de tiempo",
"vocs": "COV",
"volume_flow_rate": "Caudal volumétrico",
"stored_volume": "Volumen almacenado",
"weight": "Peso",
- "cool": "Refrigeración",
- "fan_only": "Solo ventilador",
- "heat_cool": "Calefacción/refrigeración",
- "aux_heat": "Calor auxiliar",
- "current_humidity": "Humedad actual",
- "current_temperature": "Current Temperature",
- "fan_mode": "Modo del ventilador",
- "diffuse": "Difuso",
- "top": "Parte superior",
- "current_action": "Acción en curso",
- "defrosting": "Antihielo",
- "drying": "Secando",
- "heating": "Calefacción",
- "preheating": "Precalentamiento",
- "max_target_humidity": "Humedad objetivo máxima",
- "max_target_temperature": "Temperatura deseada máxima",
- "min_target_humidity": "Humedad objetivo mínima",
- "min_target_temperature": "Temperatura deseada mínima",
- "boost": "Impulso",
- "comfort": "Confort",
- "eco": "Eco",
- "sleep": "Dormir",
- "presets": "Preajustes",
- "horizontal_swing_mode": "Modo de oscilación horizontal",
- "swing_mode": "Modo de oscilación",
- "both": "Ambos",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Temperatura deseada superior",
- "lower_target_temperature": "Temperatura deseada más baja",
- "target_temperature_step": "Paso de temperatura deseada",
- "step": "Paso",
- "not_charging": "No está cargando",
- "disconnected": "Desconectado",
- "connected": "Conectado",
- "hot": "Caliente",
- "no_light": "Sin luz",
- "light_detected": "Luz detectada",
- "locked": "Bloqueado",
- "unlocked": "Desbloqueado",
- "not_moving": "No se mueve",
- "unplugged": "Desenchufado",
- "not_running": "No se está ejecutando",
- "safe": "Seguro",
- "unsafe": "Inseguro",
- "tampering_detected": "Manipulación detectada",
- "box": "Recuadro",
- "above_horizon": "Sobre el horizonte",
- "below_horizon": "Bajo el horizonte",
- "buffering": "Almacenando en búfer",
- "playing": "Reproduciendo",
- "standby": "En espera",
- "app_id": "ID de la aplicación",
- "local_accessible_entity_picture": "Entidad de imagen accesible localmente",
- "group_members": "Miembros del grupo",
- "muted": "Silenciado",
- "album_artist": "Artista del álbum",
- "content_id": "ID de contenido",
- "content_type": "Tipo de contenido",
- "channels": "Canales",
- "position_updated": "Posición actualizada",
- "series": "Serie",
- "all": "Todos",
- "one": "Uno",
- "available_sound_modes": "Modos de sonido disponibles",
- "available_sources": "Fuentes disponibles",
- "receiver": "Receptor",
- "speaker": "Altavoz",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Gestionado a través de la IU",
"color_mode": "Color Mode",
"brightness_only": "Sólo brillo",
"hs": "HS",
@@ -2116,13 +2281,34 @@
"minimum_color_temperature_kelvin": "Temperatura de color mínima (Kelvin)",
"minimum_color_temperature_mireds": "Temperatura de color mínima (mireds)",
"available_color_modes": "Modos de color disponibles",
- "available_tones": "Tonos disponibles",
"docked": "En la base",
"mowing": "Cortando el césped",
+ "paused": "En pausa",
"returning": "Volviendo",
+ "pattern": "Patrón",
+ "running_automations": "Automatizaciones en ejecución",
+ "max_running_scripts": "Máximo de scripts en ejecución",
+ "run_mode": "Modo de ejecución",
+ "parallel": "Paralelo",
+ "queued": "En cola",
+ "single": "Único",
+ "auto_update": "Actualización automática",
+ "installed_version": "Versión instalada",
+ "latest_version": "Última versión",
+ "release_summary": "Resumen de la versión",
+ "release_url": "URL de la versión",
+ "skipped_version": "Versión omitida",
+ "firmware": "Firmware",
"oscillating": "Oscilante",
"speed_step": "Paso de velocidad",
"available_preset_modes": "Modos preestablecidos disponibles",
+ "minute": "Minuto",
+ "second": "Segundo",
+ "next_event": "Próximo evento",
+ "step": "Paso",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Despejado, de noche",
"cloudy": "Nublado",
"exceptional": "Excepcional",
@@ -2145,26 +2331,9 @@
"uv_index": "Índice UV",
"wind_bearing": "Dirección del viento",
"wind_gust_speed": "Velocidad de ráfagas de viento",
- "auto_update": "Actualización automática",
- "in_progress": "En curso",
- "installed_version": "Versión instalada",
- "latest_version": "Última versión",
- "release_summary": "Resumen de la versión",
- "release_url": "URL de la versión",
- "skipped_version": "Versión omitida",
- "firmware": "Firmware",
- "armed_away": "Armada ausente",
- "armed_custom_bypass": "Armada personalizada",
- "armed_home": "Armada en casa",
- "armed_night": "Armada noche",
- "armed_vacation": "Armada de vacaciones",
- "disarming": "Desarmando",
- "triggered": "Disparada",
- "changed_by": "Cambiado por",
- "code_for_arming": "Código para armar",
- "not_required": "No requerido",
- "code_format": "Formato de código",
"identify": "Identificar",
+ "cleaning": "Limpiando",
+ "returning_to_dock": "Volviendo a la base",
"recording": "Grabando",
"streaming": "Transmitiendo",
"access_token": "Token de acceso",
@@ -2173,96 +2342,142 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Modelo",
+ "last_scanned_by_device_id_name": "Último escaneo por ID del dispositivo",
+ "tag_id": "ID de etiqueta",
+ "automatic": "Automático",
+ "box": "Recuadro",
+ "jammed": "Atascado",
+ "locked": "Bloqueado",
+ "locking": "Bloqueando",
+ "unlocked": "Desbloqueado",
+ "unlocking": "Desbloqueando",
+ "changed_by": "Cambiado por",
+ "code_format": "Formato de código",
+ "members": "Miembros",
+ "listening": "Escuchando",
+ "processing": "Procesando",
+ "responding": "Respondiendo",
+ "id": "ID",
+ "max_running_automations": "Automatizaciones máximas en ejecución",
+ "cool": "Refrigeración",
+ "fan_only": "Solo ventilador",
+ "heat_cool": "Calefacción/refrigeración",
+ "aux_heat": "Calor auxiliar",
+ "current_humidity": "Humedad actual",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Modo del ventilador",
+ "diffuse": "Difuso",
+ "top": "Parte superior",
+ "current_action": "Acción en curso",
+ "defrosting": "Antihielo",
+ "drying": "Secando",
+ "preheating": "Precalentamiento",
+ "max_target_humidity": "Humedad objetivo máxima",
+ "max_target_temperature": "Temperatura deseada máxima",
+ "min_target_humidity": "Humedad objetivo mínima",
+ "min_target_temperature": "Temperatura deseada mínima",
+ "boost": "Impulso",
+ "comfort": "Confort",
+ "eco": "Eco",
+ "sleep": "Dormir",
+ "presets": "Preajustes",
+ "horizontal_swing_mode": "Modo de oscilación horizontal",
+ "swing_mode": "Modo de oscilación",
+ "both": "Ambos",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Temperatura deseada superior",
+ "lower_target_temperature": "Temperatura deseada más baja",
+ "target_temperature_step": "Paso de temperatura deseada",
+ "stopped": "Detenida",
+ "garage": "Garaje",
+ "not_charging": "No está cargando",
+ "disconnected": "Desconectado",
+ "connected": "Conectado",
+ "hot": "Caliente",
+ "no_light": "Sin luz",
+ "light_detected": "Luz detectada",
+ "not_moving": "No se mueve",
+ "unplugged": "Desenchufado",
+ "not_running": "No se está ejecutando",
+ "safe": "Seguro",
+ "unsafe": "Inseguro",
+ "tampering_detected": "Manipulación detectada",
+ "buffering": "Almacenando en búfer",
+ "playing": "Reproduciendo",
+ "standby": "En espera",
+ "app_id": "ID de la aplicación",
+ "local_accessible_entity_picture": "Entidad de imagen accesible localmente",
+ "group_members": "Miembros del grupo",
+ "muted": "Silenciado",
+ "album_artist": "Artista del álbum",
+ "content_id": "ID de contenido",
+ "content_type": "Tipo de contenido",
+ "channels": "Canales",
+ "position_updated": "Posición actualizada",
+ "series": "Serie",
+ "all": "Todos",
+ "one": "Uno",
+ "available_sound_modes": "Modos de sonido disponibles",
+ "available_sources": "Fuentes disponibles",
+ "receiver": "Receptor",
+ "speaker": "Altavoz",
+ "tv": "TV",
"end_time": "Hora de finalización",
"start_time": "Hora de inicio",
- "next_event": "Próximo evento",
- "garage": "Garaje",
"event_type": "Tipo de evento",
"event_types": "Tipos de eventos",
"doorbell": "Timbre de la puerta",
- "running_automations": "Automatizaciones en ejecución",
- "id": "ID",
- "max_running_automations": "Automatizaciones máximas en ejecución",
- "run_mode": "Modo de ejecución",
- "parallel": "Paralelo",
- "queued": "En cola",
- "single": "Único",
- "cleaning": "Limpiando",
- "returning_to_dock": "Volviendo a la base",
- "listening": "Escuchando",
- "processing": "Procesando",
- "responding": "Respondiendo",
- "max_running_scripts": "Máximo de scripts en ejecución",
- "jammed": "Atascado",
- "locking": "Bloqueando",
- "unlocking": "Desbloqueando",
- "members": "Miembros",
- "known_hosts": "Hosts conocidos",
- "google_cast_configuration": "Configuración de Google Cast",
- "confirm_description": "¿Quieres configurar {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "La cuenta ya está configurada",
- "abort_already_in_progress": "El flujo de configuración ya está en curso",
- "failed_to_connect": "No se pudo conectar",
- "invalid_access_token": "Token de acceso no válido",
- "invalid_authentication": "Autenticación no válida",
- "received_invalid_token_data": "Se han recibido datos de token no válidos.",
- "abort_oauth_failed": "Error al obtener el token de acceso.",
- "timeout_resolving_oauth_token": "Tiempo de espera agotado mientras se resolvía el token OAuth.",
- "abort_oauth_unauthorized": "Error de autorización OAuth al obtener el token de acceso.",
- "re_authentication_was_successful": "La autenticación se volvió a realizar correctamente",
- "unexpected_error": "Error inesperado",
- "successfully_authenticated": "Autenticado correctamente",
- "link_fitbit": "Vincular Fitbit",
- "pick_authentication_method": "Selecciona el método de autenticación",
- "authentication_expired_for_name": "Autenticación caducada para {name}",
+ "above_horizon": "Sobre el horizonte",
+ "below_horizon": "Bajo el horizonte",
+ "armed_away": "Armada ausente",
+ "armed_custom_bypass": "Armada personalizada",
+ "armed_home": "Armada en casa",
+ "armed_night": "Armada noche",
+ "armed_vacation": "Armada de vacaciones",
+ "disarming": "Desarmando",
+ "triggered": "Disparada",
+ "code_for_arming": "Código para armar",
+ "not_required": "No requerido",
+ "finishes_at": "Acaba a las",
+ "remaining": "Restantes",
+ "restore": "Restaurar",
"device_is_already_configured": "El dispositivo ya está configurado",
+ "failed_to_connect": "No se pudo conectar",
"abort_no_devices_found": "No se encontraron dispositivos en la red",
+ "re_authentication_was_successful": "La autenticación se volvió a realizar correctamente",
"re_configuration_was_successful": "Se volvió a configurar correctamente",
"connection_error_error": "Error de conexión: {error}",
"unable_to_authenticate_error": "No se puede autenticar: {error}",
"camera_stream_authentication_failed": "Error en la autenticación de la transmisión de la cámara",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "Habilitar la vista en vivo de la cámara",
- "username": "Nombre de usuario",
+ "username": "Username",
"camera_auth_confirm_description": "Introduce las credenciales de la cuenta de la cámara del dispositivo.",
"set_camera_account_credentials": "Establecer las credenciales de la cuenta de la cámara",
"authenticate": "Autenticar",
+ "authentication_expired_for_name": "Autenticación caducada para {name}",
"host": "Host",
"reconfigure_description": "Actualiza tu configuración para el dispositivo {mac}",
"reconfigure_tplink_entry": "Volver a configurar la entrada TPLink",
"abort_single_instance_allowed": "Ya está configurado. Solo es posible una única configuración.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "¿Quieres iniciar la configuración?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error al comunicarse con la API SwitchBot: {error_detail}",
+ "unsupported_switchbot_type": "Tipo de Switchbot no compatible.",
+ "unexpected_error": "Error inesperado",
+ "authentication_failed_error_detail": "Error de autenticación: {error_detail}",
+ "error_encryption_key_invalid": "El ID de clave o la clave de cifrado no son válidos",
+ "name_address": "{name} ({address})",
+ "confirm_description": "¿Quieres configurar {name} ?",
+ "switchbot_account_recommended": "Cuenta SwitchBot (recomendado)",
+ "enter_encryption_key_manually": "Introducir la clave de encriptación manualmente",
+ "encryption_key": "Clave de cifrado",
+ "key_id": "ID de clave",
+ "password_description": "Contraseña para proteger la copia de seguridad.",
+ "mac_address": "Dirección MAC",
"service_is_already_configured": "El servicio ya está configurado",
- "invalid_ics_file": "Archivo .ics no válido",
- "calendar_name": "Nombre del calendario",
- "starting_data": "Datos iniciales",
+ "abort_already_in_progress": "El flujo de configuración ya está en curso",
"abort_invalid_host": "Nombre de host o dirección IP no válidos",
"device_not_supported": "Dispositivo no compatible",
+ "invalid_authentication": "Autenticación no válida",
"name_model_at_host": "{name} ({model} en {host})",
"authenticate_to_the_device": "Autenticarse en el dispositivo",
"finish_title": "Elige un nombre para el dispositivo",
@@ -2270,68 +2485,27 @@
"yes_do_it": "Sí, hazlo.",
"unlock_the_device_optional": "Desbloquear el dispositivo (opcional)",
"connect_to_the_device": "Conectar con el dispositivo",
- "abort_missing_credentials": "La integración requiere credenciales de aplicación.",
- "timeout_establishing_connection": "Tiempo de espera agotado mientras se establecía la conexión",
- "link_google_account": "Vincular cuenta de Google",
- "path_is_not_allowed": "La ruta no está permitida",
- "path_is_not_valid": "La ruta no es válida",
- "path_to_file": "Ruta al archivo",
- "api_key": "Clave API",
- "configure_daikin_ac": "Configurar aire acondicionado Daikin",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adaptador",
- "multiple_adapters_description": "Selecciona un adaptador Bluetooth para configurar",
- "arm_away_action": "Acción de armar ausente",
- "arm_custom_bypass_action": "Acción de armar derivación personalizada",
- "arm_home_action": "Acción de armar en casa",
- "arm_night_action": "Acción de armar de noche",
- "arm_vacation_action": "Acción de armar en vacaciones",
- "code_arm_required": "Se requiere código para armar",
- "disarm_action": "Acción al desarmar",
- "trigger_action": "Acción al disparar",
- "value_template": "Plantilla del valor",
- "template_alarm_control_panel": "Plantilla de panel de control de alarma",
- "device_class": "Clase de dispositivo",
- "state_template": "Plantilla de estado",
- "template_binary_sensor": "Sensor binario de plantilla",
- "actions_on_press": "Acciones al pulsar",
- "template_button": "Plantilla botón",
- "verify_ssl_certificate": "Verificar el certificado SSL",
- "template_image": "Plantilla imagen",
- "actions_on_set_value": "Acciones sobre el valor establecido",
- "step_value": "Valor del paso",
- "template_number": "Plantilla número",
- "available_options": "Opciones disponibles",
- "actions_on_select": "Acciones al seleccionar",
- "template_select": "Seleccionar plantilla",
- "template_sensor": "Sensor de plantilla",
- "actions_on_turn_off": "Acciones al apagar",
- "actions_on_turn_on": "Acciones al encender",
- "template_switch": "Plantilla interruptor",
- "menu_options_alarm_control_panel": "Plantilla de un panel de control de alarma",
- "template_a_binary_sensor": "Plantilla de un sensor binario",
- "template_a_button": "Plantilla de un botón",
- "template_an_image": "Plantilla de una imagen",
- "template_a_number": "Plantilla de un número",
- "template_a_select": "Plantilla a seleccionar",
- "template_a_sensor": "Plantilla de un sensor",
- "template_a_switch": "Plantilla de un interruptor",
- "template_helper": "Ayudante de plantilla",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "La cuenta ya está configurada",
+ "invalid_access_token": "Token de acceso no válido",
+ "received_invalid_token_data": "Se han recibido datos de token no válidos.",
+ "abort_oauth_failed": "Error al obtener el token de acceso.",
+ "timeout_resolving_oauth_token": "Tiempo de espera agotado mientras se resolvía el token OAuth.",
+ "abort_oauth_unauthorized": "Error de autorización OAuth al obtener el token de acceso.",
+ "successfully_authenticated": "Autenticado correctamente",
+ "link_fitbit": "Vincular Fitbit",
+ "pick_authentication_method": "Selecciona el método de autenticación",
+ "two_factor_code": "Código de dos factores",
+ "two_factor_authentication": "Autenticación de dos factores",
+ "reconfigure_ring_integration": "Volver a configurar la integración de Ring",
+ "sign_in_with_ring_account": "Iniciar sesión con cuenta Ring",
+ "abort_alternative_integration": "El dispositivo es más compatible con otra integración",
+ "abort_incomplete_config": "A la configuración le falta una variable requerida",
+ "manual_description": "URL a un archivo XML de descripción de dispositivo",
+ "manual_title": "Conexión manual del dispositivo DLNA DMR",
+ "discovered_dlna_dmr_devices": "Dispositivos DLNA DMR descubiertos",
+ "broadcast_address": "Dirección de broadcast",
+ "broadcast_port": "Puerto de broadcast",
"abort_addon_info_failed": "No se pudo obtener información para el complemento {addon}.",
"abort_addon_install_failed": "No se pudo instalar el complemento {addon}.",
"abort_addon_start_failed": "No se pudo iniciar el complemento {addon}.",
@@ -2358,48 +2532,48 @@
"starting_add_on": "Iniciando el complemento",
"menu_options_addon": "Usar el complemento oficial {addon}.",
"menu_options_broker": "Introduce los datos de conexión del bróker MQTT de forma manual",
- "bridge_is_already_configured": "La pasarela ya está configurada",
- "no_deconz_bridges_discovered": "No se han descubierto pasarelas deCONZ",
- "abort_no_hardware_available": "No hay hardware de radio conectado a deCONZ",
- "abort_updated_instance": "Instancia deCONZ actualizada con nueva dirección de host",
- "error_linking_not_possible": "No se pudo vincular con la puerta de enlace",
- "error_no_key": "No se pudo obtener una clave API",
- "link_with_deconz": "Vincular con deCONZ",
- "select_discovered_deconz_gateway": "Selecciona la puerta de enlace deCONZ descubierta",
- "pin_code": "Código PIN",
- "discovered_android_tv": "Descubierto Android TV",
- "abort_mdns_missing_mac": "Falta la dirección MAC en las propiedades de mDNS.",
- "abort_mqtt_missing_api": "Falta el puerto de la API en las propiedades de MQTT.",
- "abort_mqtt_missing_ip": "Falta la dirección IP en las propiedades de MQTT.",
- "abort_mqtt_missing_mac": "Falta la dirección MAC en las propiedades de MQTT.",
- "missing_mqtt_payload": "Falta payload MQTT.",
- "action_received": "Acción recibida",
- "discovered_esphome_node": "Nodo ESPHome descubierto",
- "encryption_key": "Clave de cifrado",
- "no_port_for_endpoint": "No hay puerto para el punto de conexión",
- "abort_no_services": "No se encontraron servicios en el extremo",
- "discovered_wyoming_service": "Descubierto el servicio de Wyoming",
- "abort_alternative_integration": "El dispositivo es más compatible con otra integración",
- "abort_incomplete_config": "A la configuración le falta una variable requerida",
- "manual_description": "URL a un archivo XML de descripción de dispositivo",
- "manual_title": "Conexión manual del dispositivo DLNA DMR",
- "discovered_dlna_dmr_devices": "Dispositivos DLNA DMR descubiertos",
+ "api_key": "Clave API",
+ "configure_daikin_ac": "Configurar aire acondicionado Daikin",
+ "cannot_connect_details_error_detail": "No se pudo conectar. Detalles: {error_detail}",
+ "unknown_details_error_detail": "Desconocido. Detalles: {error_detail}",
+ "uses_an_ssl_certificate": "Utiliza un certificado SSL",
+ "verify_ssl_certificate": "Verificar el certificado SSL",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "confirm_hardware_description": "¿Quieres configurar {name}?",
+ "adapter": "Adaptador",
+ "multiple_adapters_description": "Selecciona un adaptador Bluetooth para configurar",
"api_error_occurred": "Se ha producido un error de API",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Habilitar HTTPS",
- "broadcast_address": "Dirección de broadcast",
- "broadcast_port": "Puerto de broadcast",
- "mac_address": "Dirección MAC",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 no es compatible.",
- "error_custom_port_not_supported": "El dispositivo Gen1 no soporta puertos personalizados.",
- "two_factor_code": "Código de dos factores",
- "two_factor_authentication": "Autenticación de dos factores",
- "reconfigure_ring_integration": "Volver a configurar la integración de Ring",
- "sign_in_with_ring_account": "Iniciar sesión con cuenta Ring",
+ "timeout_establishing_connection": "Tiempo de espera agotado mientras se establecía la conexión",
+ "link_google_account": "Vincular cuenta de Google",
+ "path_is_not_allowed": "La ruta no está permitida",
+ "path_is_not_valid": "La ruta no es válida",
+ "path_to_file": "Ruta al archivo",
+ "pin_code": "Código PIN",
+ "discovered_android_tv": "Descubierto Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "Todas las entidades",
"hide_members": "Ocultar miembros",
"create_group": "Crear grupo",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignorar no numérico",
"data_round_digits": "Redondear valor a número de decimales",
"type": "Tipo",
@@ -2407,29 +2581,206 @@
"button_group": "Grupo de botones",
"cover_group": "Grupo de persianas/cortinas",
"event_group": "Grupo de eventos",
- "fan_group": "Grupo de ventiladores",
- "light_group": "Grupo de luces",
"lock_group": "Grupo de cerraduras",
"media_player_group": "Grupo de reproductores multimedia",
"notify_group": "Notificar al grupo",
"sensor_group": "Grupo de sensores",
"switch_group": "Grupo de interruptores",
- "abort_api_error": "Error al comunicarse con la API SwitchBot: {error_detail}",
- "unsupported_switchbot_type": "Tipo de Switchbot no compatible.",
- "authentication_failed_error_detail": "Error de autenticación: {error_detail}",
- "error_encryption_key_invalid": "El ID de clave o la clave de cifrado no son válidos",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "Cuenta SwitchBot (recomendado)",
- "enter_encryption_key_manually": "Introducir la clave de encriptación manualmente",
- "key_id": "ID de clave",
- "password_description": "Contraseña para proteger la copia de seguridad.",
- "device_address": "Dirección del dispositivo",
- "cannot_connect_details_error_detail": "No se pudo conectar. Detalles: {error_detail}",
- "unknown_details_error_detail": "Desconocido. Detalles: {error_detail}",
- "uses_an_ssl_certificate": "Utiliza un certificado SSL",
+ "known_hosts": "Hosts conocidos",
+ "google_cast_configuration": "Configuración de Google Cast",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Falta la dirección MAC en las propiedades de mDNS.",
+ "abort_mqtt_missing_api": "Falta el puerto de la API en las propiedades de MQTT.",
+ "abort_mqtt_missing_ip": "Falta la dirección IP en las propiedades de MQTT.",
+ "abort_mqtt_missing_mac": "Falta la dirección MAC en las propiedades de MQTT.",
+ "missing_mqtt_payload": "Falta payload MQTT.",
+ "action_received": "Acción recibida",
+ "discovered_esphome_node": "Nodo ESPHome descubierto",
+ "bridge_is_already_configured": "La pasarela ya está configurada",
+ "no_deconz_bridges_discovered": "No se han descubierto pasarelas deCONZ",
+ "abort_no_hardware_available": "No hay hardware de radio conectado a deCONZ",
+ "abort_updated_instance": "Instancia deCONZ actualizada con nueva dirección de host",
+ "error_linking_not_possible": "No se pudo vincular con la puerta de enlace",
+ "error_no_key": "No se pudo obtener una clave API",
+ "link_with_deconz": "Vincular con deCONZ",
+ "select_discovered_deconz_gateway": "Selecciona la puerta de enlace deCONZ descubierta",
+ "abort_missing_credentials": "La integración requiere credenciales de aplicación.",
+ "no_port_for_endpoint": "No hay puerto para el punto de conexión",
+ "abort_no_services": "No se encontraron servicios en el extremo",
+ "discovered_wyoming_service": "Descubierto el servicio de Wyoming",
+ "ipv_is_not_supported": "IPv6 no es compatible.",
+ "error_custom_port_not_supported": "El dispositivo Gen1 no soporta puertos personalizados.",
+ "arm_away_action": "Acción de armar ausente",
+ "arm_custom_bypass_action": "Acción de armar derivación personalizada",
+ "arm_home_action": "Acción de armar en casa",
+ "arm_night_action": "Acción de armar de noche",
+ "arm_vacation_action": "Acción de armar en vacaciones",
+ "code_arm_required": "Se requiere código para armar",
+ "disarm_action": "Acción al desarmar",
+ "trigger_action": "Acción al disparar",
+ "value_template": "Plantilla del valor",
+ "template_alarm_control_panel": "Plantilla de panel de control de alarma",
+ "state_template": "Plantilla de estado",
+ "template_binary_sensor": "Sensor binario de plantilla",
+ "actions_on_press": "Acciones al pulsar",
+ "template_button": "Plantilla botón",
+ "template_image": "Plantilla imagen",
+ "actions_on_set_value": "Acciones sobre el valor establecido",
+ "step_value": "Valor del paso",
+ "template_number": "Plantilla número",
+ "available_options": "Opciones disponibles",
+ "actions_on_select": "Acciones al seleccionar",
+ "template_select": "Seleccionar plantilla",
+ "template_sensor": "Sensor de plantilla",
+ "actions_on_turn_off": "Acciones al apagar",
+ "actions_on_turn_on": "Acciones al encender",
+ "template_switch": "Plantilla interruptor",
+ "menu_options_alarm_control_panel": "Plantilla de un panel de control de alarma",
+ "template_a_binary_sensor": "Plantilla de un sensor binario",
+ "template_a_button": "Plantilla de un botón",
+ "template_an_image": "Plantilla de una imagen",
+ "template_a_number": "Plantilla de un número",
+ "template_a_select": "Plantilla a seleccionar",
+ "template_a_sensor": "Plantilla de un sensor",
+ "template_a_switch": "Plantilla de un interruptor",
+ "template_helper": "Ayudante de plantilla",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "Este dispositivo no es un dispositivo zha",
+ "abort_usb_probe_failed": "No se pudo sondear el dispositivo USB",
+ "invalid_backup_json": "Copia de seguridad JSON no válida",
+ "choose_an_automatic_backup": "Elige una copia de seguridad automática",
+ "restore_automatic_backup": "Restaurar copia de seguridad automática",
+ "choose_formation_strategy_description": "Elige la configuración de red para tu radio.",
+ "restore_an_automatic_backup": "Restaurar una copia de seguridad automática",
+ "create_a_network": "Crear una red",
+ "keep_radio_network_settings": "Mantener la configuración de red de la radio",
+ "upload_a_manual_backup": "Subir una copia de seguridad manual",
+ "network_formation": "Formación de la red",
+ "serial_device_path": "Ruta del dispositivo serie",
+ "select_a_serial_port": "Selecciona un puerto serie",
+ "radio_type": "Tipo de Radio",
+ "manual_pick_radio_type_description": "Elige tu tipo de radio Zigbee",
+ "port_speed": "Velocidad del puerto",
+ "data_flow_control": "Control de flujo de datos",
+ "manual_port_config_description": "Introduce la configuración del puerto serie",
+ "serial_port_settings": "Configuración del puerto serie",
+ "data_overwrite_coordinator_ieee": "Reemplazar permanentemente la dirección IEEE de la radio",
+ "overwrite_radio_ieee_address": "Sobrescribir la dirección IEEE de la radio",
+ "upload_a_file": "Subir un archivo",
+ "radio_is_not_recommended": "Radio no recomendada",
+ "invalid_ics_file": "Archivo .ics no válido",
+ "calendar_name": "Nombre del calendario",
+ "starting_data": "Datos iniciales",
+ "zha_alarm_options_alarm_arm_requires_code": "Código requerido para acciones de armado",
+ "zha_alarm_options_alarm_master_code": "Código maestro para el(los) panel(es) de control de alarma",
+ "alarm_control_panel_options": "Opciones del panel de control de alarma",
+ "zha_options_consider_unavailable_battery": "Considerar que los dispositivos alimentados por batería no están disponibles después de (segundos)",
+ "zha_options_consider_unavailable_mains": "Considerar que los dispositivos alimentados por la red no están disponibles después de (segundos)",
+ "zha_options_default_light_transition": "Tiempo de transición de luz predeterminado (segundos)",
+ "zha_options_group_members_assume_state": "Los miembros del grupo asumen el estado del grupo",
+ "zha_options_light_transitioning_flag": "Habilitar el control deslizante de brillo mejorado durante la transición de luz",
+ "global_options": "Opciones globales",
+ "force_nightlatch_operation_mode": "Forzar el modo de funcionamiento Nightlatch",
+ "retry_count": "Recuento de reintentos",
+ "data_process": "Procesos a añadir como sensor(es)",
+ "invalid_url": "URL no válida",
+ "data_browse_unfiltered": "Mostrar medios incompatibles al navegar",
+ "event_listener_callback_url": "URL de devolución de llamada del detector de eventos",
+ "data_listen_port": "Puerto de escucha de eventos (aleatorio si no está configurado)",
+ "poll_for_device_availability": "Sondeo para la disponibilidad del dispositivo",
+ "init_title": "Configuración de DLNA Digital Media Renderer",
+ "broker_options": "Opciones del bróker",
+ "enable_birth_message": "Habilitar mensaje de nacimiento",
+ "birth_message_payload": "Carga del mensaje de nacimiento",
+ "birth_message_qos": "QoS del mensaje de nacimiento",
+ "birth_message_retain": "Retención del mensaje de nacimiento",
+ "birth_message_topic": "Tema del mensaje de nacimiento",
+ "enable_discovery": "Habilitar descubrimiento",
+ "discovery_prefix": "Prefijo de descubrimiento",
+ "enable_will_message": "Habilitar mensaje de voluntad",
+ "will_message_payload": "Carga del mensaje de voluntad",
+ "will_message_qos": "QoS del mensaje de voluntad",
+ "will_message_retain": "Retención del mensaje de voluntad",
+ "will_message_topic": "Tema del mensaje de voluntad",
+ "data_description_discovery": "Opción para habilitar el descubrimiento automático MQTT.",
+ "mqtt_options": "Opciones de MQTT",
+ "passive_scanning": "Escaneo pasivo",
+ "protocol": "Protocolo",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Código de idioma",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "data_app_delete": "Marcar para eliminar esta aplicación",
+ "application_icon": "Icono de la aplicación",
+ "application_id": "ID de aplicación",
+ "application_name": "Nombre de la aplicación",
+ "configure_application_id_app_id": "Configurar el ID de la aplicación {app_id}",
+ "configure_android_apps": "Configurar aplicaciones de Android",
+ "configure_applications_list": "Configurar la lista de aplicaciones",
"ignore_cec": "Ignorar CEC",
"allowed_uuids": "UUIDs permitidos",
"advanced_google_cast_configuration": "Configuración avanzada de Google Cast",
+ "allow_deconz_clip_sensors": "Permitir sensores deCONZ CLIP",
+ "allow_deconz_light_groups": "Permitir grupos de luz deCONZ",
+ "data_allow_new_devices": "Permitir añadir automáticamente nuevos dispositivos",
+ "deconz_devices_description": "Configura la visibilidad de los tipos de dispositivos deCONZ",
+ "deconz_options": "Opciones deCONZ",
+ "select_test_server": "Selecciona el servidor de prueba",
+ "data_calendar_access": "Acceso de Home Assistant a Google Calendar",
+ "bluetooth_scanner_mode": "Modo de escáner Bluetooth",
"device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
"not_supported": "Not Supported",
"localtuya_configuration": "LocalTuya Configuration",
@@ -2446,10 +2797,9 @@
"data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
"data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
"data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
"configure_tuya_device": "Configure Tuya device",
"configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "ID del dispositivo",
+ "device_id": "Device ID",
"local_key": "Local key",
"protocol_version": "Protocol Version",
"data_entities": "Entities (uncheck an entity to remove it)",
@@ -2518,93 +2868,13 @@
"enable_heuristic_action_optional": "Enable heuristic action (optional)",
"data_dps_default_value": "Default value when un-initialised (optional)",
"minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Acceso de Home Assistant a Google Calendar",
- "data_process": "Procesos a añadir como sensor(es)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Escaneo pasivo",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Opciones del bróker",
- "enable_birth_message": "Habilitar mensaje de nacimiento",
- "birth_message_payload": "Carga del mensaje de nacimiento",
- "birth_message_qos": "QoS del mensaje de nacimiento",
- "birth_message_retain": "Retención del mensaje de nacimiento",
- "birth_message_topic": "Tema del mensaje de nacimiento",
- "enable_discovery": "Habilitar descubrimiento",
- "discovery_prefix": "Prefijo de descubrimiento",
- "enable_will_message": "Habilitar mensaje de voluntad",
- "will_message_payload": "Carga del mensaje de voluntad",
- "will_message_qos": "QoS del mensaje de voluntad",
- "will_message_retain": "Retención del mensaje de voluntad",
- "will_message_topic": "Tema del mensaje de voluntad",
- "data_description_discovery": "Opción para habilitar el descubrimiento automático MQTT.",
- "mqtt_options": "Opciones de MQTT",
"data_allow_nameless_uuids": "UUID permitidos actualmente. Desmarcar para eliminar",
"data_new_uuid": "Introduce un nuevo UUID permitido",
- "allow_deconz_clip_sensors": "Permitir sensores deCONZ CLIP",
- "allow_deconz_light_groups": "Permitir grupos de luz deCONZ",
- "data_allow_new_devices": "Permitir añadir automáticamente nuevos dispositivos",
- "deconz_devices_description": "Configura la visibilidad de los tipos de dispositivos deCONZ",
- "deconz_options": "Opciones deCONZ",
- "data_app_delete": "Marcar para eliminar esta aplicación",
- "application_icon": "Icono de la aplicación",
- "application_id": "ID de aplicación",
- "application_name": "Nombre de la aplicación",
- "configure_application_id_app_id": "Configurar el ID de la aplicación {app_id}",
- "configure_android_apps": "Configurar aplicaciones de Android",
- "configure_applications_list": "Configurar la lista de aplicaciones",
- "invalid_url": "URL no válida",
- "data_browse_unfiltered": "Mostrar medios incompatibles al navegar",
- "event_listener_callback_url": "URL de devolución de llamada del detector de eventos",
- "data_listen_port": "Puerto de escucha de eventos (aleatorio si no está configurado)",
- "poll_for_device_availability": "Sondeo para la disponibilidad del dispositivo",
- "init_title": "Configuración de DLNA Digital Media Renderer",
- "protocol": "Protocolo",
- "language_code": "Código de idioma",
- "bluetooth_scanner_mode": "Modo de escáner Bluetooth",
- "force_nightlatch_operation_mode": "Forzar el modo de funcionamiento Nightlatch",
- "retry_count": "Recuento de reintentos",
- "select_test_server": "Selecciona el servidor de prueba",
- "toggle_entity_name": "Alternar {entity_name}",
- "turn_off_entity_name": "Apagar {entity_name}",
- "turn_on_entity_name": "Encender {entity_name}",
- "entity_name_is_off": "{entity_name} está apagado",
- "entity_name_is_on": "{entity_name} está encendido",
- "trigger_type_changed_states": "{entity_name} se encendió o apagó",
- "entity_name_turned_off": "{entity_name} apagado",
- "entity_name_turned_on": "{entity_name} encendido",
+ "reconfigure_zha": "Volver a configurar ZHA",
+ "unplug_your_old_radio": "Desconecta tu antigua radio",
+ "intent_migrate_title": "Migrar a una nueva radio",
+ "re_configure_the_current_radio": "Volver a configurar la radio actual",
+ "migrate_or_re_configure": "Migrar o volver a configurar",
"current_entity_name_apparent_power": "La potencia aparente actual de {entity_name}",
"condition_type_is_aqi": "Índice de calidad del aire actual de {entity_name}",
"current_entity_name_area": "Zona actual {entity_name}",
@@ -2697,6 +2967,58 @@
"entity_name_water_changes": "El agua de {entity_name} cambia",
"entity_name_weight_changes": "El peso de {entity_name} cambia",
"entity_name_wind_speed_changes": "La velocidad del viento de {entity_name} cambia",
+ "decrease_entity_name_brightness": "Disminuir brillo de {entity_name}",
+ "increase_entity_name_brightness": "Aumentar brillo de {entity_name}",
+ "flash_entity_name": "Destellear {entity_name}",
+ "toggle_entity_name": "Alternar {entity_name}",
+ "turn_off_entity_name": "Apagar {entity_name}",
+ "turn_on_entity_name": "Encender {entity_name}",
+ "entity_name_is_off": "{entity_name} está apagado",
+ "entity_name_is_on": "{entity_name} está encendido",
+ "flash": "Destello",
+ "trigger_type_changed_states": "{entity_name} se encendió o apagó",
+ "entity_name_turned_off": "{entity_name} apagado",
+ "entity_name_turned_on": "{entity_name} encendido",
+ "set_value_for_entity_name": "Establecer valor para {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "La disponibilidad de la actualización de {entity_name} cambió",
+ "entity_name_became_up_to_date": "{entity_name} se actualizó",
+ "trigger_type_update": "{entity_name} tiene una actualización disponible",
+ "first_button": "Primer botón",
+ "second_button": "Segundo botón",
+ "third_button": "Tercer botón",
+ "fourth_button": "Cuarto botón",
+ "fifth_button": "Quinto botón",
+ "sixth_button": "Sexto botón",
+ "subtype_double_clicked": "\"{subtype}\" pulsado dos veces",
+ "subtype_continuously_pressed": "\"{subtype}\" pulsado continuamente",
+ "trigger_type_button_long_release": "\"{subtype}\" soltado después de pulsación larga",
+ "subtype_quadruple_clicked": "\"{subtype}\" pulsado cuatro veces",
+ "subtype_quintuple_clicked": "\"{subtype}\" pulsado cinco veces",
+ "subtype_pressed": "\"{subtype}\" pulsado",
+ "subtype_released": "\"{subtype}\" soltado",
+ "subtype_triple_clicked": "\"{subtype}\" pulsado tres veces",
+ "entity_name_is_home": "{entity_name} está en casa",
+ "entity_name_is_not_home": "{entity_name} no está en casa",
+ "entity_name_enters_a_zone": "{entity_name} entra en una zona",
+ "entity_name_leaves_a_zone": "{entity_name} abandona una zona",
+ "press_entity_name_button": "Presiona el botón {entity_name}",
+ "entity_name_has_been_pressed": "{entity_name} se ha pulsado",
+ "let_entity_name_clean": "Dejar que {entity_name} limpie",
+ "action_type_dock": "Dejar que {entity_name} regrese a la base",
+ "entity_name_is_cleaning": "{entity_name} está limpiando",
+ "entity_name_docked": "{entity_name} en la base",
+ "entity_name_started_cleaning": "{entity_name} empezó a limpiar",
+ "send_a_notification": "Enviar una notificación",
+ "lock_entity_name": "Bloquear {entity_name}",
+ "open_entity_name": "Abrir {entity_name}",
+ "unlock_entity_name": "Desbloquear {entity_name}",
+ "entity_name_is_locked": "{entity_name} está bloqueado",
+ "entity_name_is_open": "{entity_name} está abierto",
+ "entity_name_is_unlocked": "{entity_name} está desbloqueado",
+ "entity_name_locked": "{entity_name} bloqueado",
+ "entity_name_opened": "{entity_name} abierto",
+ "entity_name_unlocked": "{entity_name} desbloqueado",
"action_type_set_hvac_mode": "Cambiar el modo HVAC de {entity_name}.",
"change_preset_on_entity_name": "Cambiar la configuración preestablecida de {entity_name}",
"hvac_mode": "Modo del sistema de climatización",
@@ -2704,8 +3026,22 @@
"entity_name_measured_humidity_changed": "La humedad medida por {entity_name} cambió",
"entity_name_measured_temperature_changed": "La temperatura medida por {entity_name} cambió",
"entity_name_hvac_mode_changed": "El modo HVAC de {entity_name} cambió",
- "set_value_for_entity_name": "Establecer valor para {entity_name}",
- "value": "Valor",
+ "close_entity_name": "Cerrar {entity_name}",
+ "close_entity_name_tilt": "Cerrar inclinación de {entity_name}",
+ "open_entity_name_tilt": "Abrir inclinación de {entity_name}",
+ "set_entity_name_position": "Ajustar la posición de {entity_name}",
+ "set_entity_name_tilt_position": "Ajustar la posición de inclinación de {entity_name}",
+ "stop_entity_name": "Detener {entity_name}",
+ "entity_name_is_closed": "{entity_name} está cerrado",
+ "entity_name_is_closing": "{entity_name} se está cerrando",
+ "entity_name_is_opening": "{entity_name} se está abriendo",
+ "current_entity_name_position_is": "La posición actual de {entity_name} es",
+ "condition_type_is_tilt_position": "La posición de inclinación actual de {entity_name} es",
+ "entity_name_closed": "{entity_name} cerrado",
+ "entity_name_closing": "{entity_name} cerrándose",
+ "entity_name_opening": "{entity_name} abriéndose",
+ "entity_name_position_changes": "La posición de {entity_name} cambia",
+ "entity_name_tilt_position_changes": "La posición de inclinación de {entity_name} cambia",
"entity_name_battery_is_low": "La batería de {entity_name} está baja",
"entity_name_is_charging": "{entity_name} está cargando",
"condition_type_is_co": "{entity_name} está detectando monóxido de carbono",
@@ -2714,7 +3050,6 @@
"entity_name_is_detecting_gas": "{entity_name} está detectando gas",
"entity_name_is_hot": "{entity_name} está caliente",
"entity_name_is_detecting_light": "{entity_name} está detectando luz",
- "entity_name_is_locked": "{entity_name} está bloqueada",
"entity_name_is_moist": "{entity_name} está húmedo",
"entity_name_is_detecting_motion": "{entity_name} está detectando movimiento",
"entity_name_is_moving": "{entity_name} se está moviendo",
@@ -2732,11 +3067,9 @@
"entity_name_is_not_cold": "{entity_name} no está frío",
"entity_name_is_disconnected": "{entity_name} está desconectado",
"entity_name_is_not_hot": "{entity_name} no está caliente",
- "entity_name_is_unlocked": "{entity_name} está desbloqueada",
"entity_name_is_dry": "{entity_name} está seco",
"entity_name_is_not_moving": "{entity_name} no se mueve",
"entity_name_is_not_occupied": "{entity_name} no está ocupado",
- "entity_name_is_closed": "{entity_name} está cerrado",
"entity_name_is_unplugged": "{entity_name} está desenchufado",
"entity_name_is_not_powered": "{entity_name} no tiene alimentación",
"entity_name_not_present": "{entity_name} no está presente",
@@ -2744,7 +3077,6 @@
"condition_type_is_not_tampered": "{entity_name} no detecta manipulación",
"entity_name_is_safe": "{entity_name} es seguro",
"entity_name_is_occupied": "{entity_name} está ocupado",
- "entity_name_is_open": "{entity_name} está abierta",
"entity_name_is_plugged_in": "{entity_name} está enchufado",
"entity_name_is_powered": "{entity_name} está alimentado",
"entity_name_is_present": "{entity_name} está presente",
@@ -2754,7 +3086,6 @@
"entity_name_is_detecting_sound": "{entity_name} está detectando sonido",
"entity_name_is_detecting_tampering": "{entity_name} está detectando manipulación",
"entity_name_is_unsafe": "{entity_name} no es seguro",
- "trigger_type_update": "{entity_name} tiene una actualización disponible",
"entity_name_is_detecting_vibration": "{entity_name} está detectando vibración",
"entity_name_battery_low": "La batería de {entity_name} es baja",
"entity_name_charging": "Cargando {entity_name}",
@@ -2764,7 +3095,6 @@
"entity_name_started_detecting_gas": "{entity_name} empezó a detectar gas",
"entity_name_became_hot": "{entity_name} se calentó",
"entity_name_started_detecting_light": "{entity_name} empezó a detectar luz",
- "entity_name_locked": "{entity_name} bloqueada",
"entity_name_became_moist": "{entity_name} se humedeció",
"entity_name_started_detecting_motion": "{entity_name} empezó a detectar movimiento",
"entity_name_started_moving": "{entity_name} empezó a moverse",
@@ -2775,24 +3105,20 @@
"entity_name_stopped_detecting_problem": "{entity_name} dejó de detectar algún problema",
"entity_name_stopped_detecting_smoke": "{entity_name} dejó de detectar humo",
"entity_name_stopped_detecting_sound": "{entity_name} dejó de detectar sonido",
- "entity_name_became_up_to_date": "{entity_name} se actualizó",
"entity_name_stopped_detecting_vibration": "{entity_name} dejó de detectar vibración",
"entity_name_battery_normal": "{entity_name} batería normal",
"entity_name_not_charging": "No está cargando {entity_name}",
"entity_name_became_not_cold": "{entity_name} dejó de estar frío",
"entity_name_disconnected": "{entity_name} desconectado",
"entity_name_became_not_hot": "{entity_name} dejó de estar caliente",
- "entity_name_unlocked": "{entity_name} desbloqueada",
"entity_name_became_dry": "{entity_name} se secó",
"entity_name_stopped_moving": "{entity_name} dejó de moverse",
- "entity_name_closed": "{entity_name} cerrado",
"entity_name_unplugged": "{entity_name} desenchufado",
"entity_name_not_powered": "{entity_name} no alimentado",
"trigger_type_not_running": "{entity_name} ya no se está ejecutando",
"entity_name_stopped_detecting_tampering": "{entity_name} dejó de detectar manipulación",
"entity_name_became_safe": "{entity_name} se volvió seguro",
"entity_name_became_occupied": "{entity_name} se volvió ocupado",
- "entity_name_opened": "{entity_name} abierta",
"entity_name_plugged_in": "{entity_name} enchufado",
"entity_name_powered": "{entity_name} alimentado",
"entity_name_present": "{entity_name} presente",
@@ -2809,35 +3135,6 @@
"entity_name_is_playing": "{entity_name} está reproduciendo",
"entity_name_starts_buffering": "{entity_name} comienza a almacenar en búfer",
"entity_name_starts_playing": "{entity_name} comienza a reproducir",
- "entity_name_is_home": "{entity_name} está en casa",
- "entity_name_is_not_home": "{entity_name} no está en casa",
- "entity_name_enters_a_zone": "{entity_name} entra en una zona",
- "entity_name_leaves_a_zone": "{entity_name} abandona una zona",
- "decrease_entity_name_brightness": "Disminuir brillo de {entity_name}",
- "increase_entity_name_brightness": "Aumentar brillo de {entity_name}",
- "flash_entity_name": "Destellear {entity_name}",
- "flash": "Destello",
- "entity_name_update_availability_changed": "La disponibilidad de la actualización de {entity_name} cambió",
- "arm_entity_name_away": "Armar ausente en {entity_name}",
- "arm_entity_name_home": "Armar en casa en {entity_name}",
- "arm_entity_name_night": "Armar noche en {entity_name}",
- "arm_entity_name_vacation": "Armar de vacaciones {entity_name}",
- "disarm_entity_name": "Desarmar {entity_name}",
- "trigger_entity_name": "Disparar {entity_name}",
- "entity_name_is_armed_away": "{entity_name} está armada ausente",
- "entity_name_is_armed_home": "{entity_name} está armada en casa",
- "entity_name_is_armed_night": "{entity_name} está armada noche",
- "entity_name_is_armed_vacation": "{entity_name} está armada de vacaciones",
- "entity_name_is_disarmed": "{entity_name} está desarmada",
- "entity_name_is_triggered": "{entity_name} está disparada",
- "entity_name_armed_away": "{entity_name} armada ausente",
- "entity_name_armed_home": "{entity_name} armada en casa",
- "entity_name_armed_night": "{entity_name} armada noche",
- "entity_name_armed_vacation": "{entity_name} en armada de vacaciones",
- "entity_name_disarmed": "{entity_name} desarmada",
- "entity_name_triggered": "{entity_name} disparada",
- "press_entity_name_button": "Presiona el botón {entity_name}",
- "entity_name_has_been_pressed": "{entity_name} se ha pulsado",
"action_type_select_first": "Cambiar {entity_name} a la primera opción",
"action_type_select_last": "Cambiar {entity_name} a la última opción",
"action_type_select_next": "Cambiar {entity_name} a la siguiente opción",
@@ -2847,35 +3144,6 @@
"cycle": "Ciclo",
"from": "De",
"entity_name_option_changed": "Una opción de {entity_name} cambió",
- "close_entity_name": "Cerrar {entity_name}",
- "close_entity_name_tilt": "Cerrar inclinación de {entity_name}",
- "open_entity_name": "Abrir {entity_name}",
- "open_entity_name_tilt": "Abrir inclinación de {entity_name}",
- "set_entity_name_position": "Ajustar la posición de {entity_name}",
- "set_entity_name_tilt_position": "Ajustar la posición de inclinación de {entity_name}",
- "stop_entity_name": "Detener {entity_name}",
- "entity_name_is_closing": "{entity_name} se está cerrando",
- "entity_name_is_opening": "{entity_name} se está abriendo",
- "current_entity_name_position_is": "La posición actual de {entity_name} es",
- "condition_type_is_tilt_position": "La posición de inclinación actual de {entity_name} es",
- "entity_name_closing": "{entity_name} cerrándose",
- "entity_name_opening": "{entity_name} abriéndose",
- "entity_name_position_changes": "La posición de {entity_name} cambia",
- "entity_name_tilt_position_changes": "La posición de inclinación de {entity_name} cambia",
- "first_button": "Primer botón",
- "second_button": "Segundo botón",
- "third_button": "Tercer botón",
- "fourth_button": "Cuarto botón",
- "fifth_button": "Quinto botón",
- "sixth_button": "Sexto botón",
- "subtype_double_push": "Pulsación doble de {subtype}",
- "subtype_continuously_pressed": "\"{subtype}\" pulsado continuamente",
- "trigger_type_button_long_release": "\"{subtype}\" soltado después de pulsación larga",
- "subtype_quadruple_clicked": "\"{subtype}\" pulsado cuatro veces",
- "subtype_quintuple_clicked": "\"{subtype}\" pulsado cinco veces",
- "subtype_pressed": "\"{subtype}\" pulsado",
- "subtype_released": "\"{subtype}\" soltado",
- "subtype_triple_clicked": "Pulsación triple de {subtype}",
"both_buttons": "Ambos botones",
"bottom_buttons": "Botones inferiores",
"seventh_button": "Séptimo botón",
@@ -2895,47 +3163,68 @@
"trigger_type_remote_double_tap_any_side": "Dispositivo con doble toque en cualquier lado",
"device_in_free_fall": "Dispositivo en caída libre",
"device_flipped_degrees": "Dispositivo volteado 90 grados",
- "device_shaken": "Dispositivo sacudido",
+ "device_shaken": "Dispositivo agitado",
"trigger_type_remote_moved": "Dispositivo movido con \"{subtype}\" hacia arriba",
"trigger_type_remote_moved_any_side": "Dispositivo movido con cualquier lado hacia arriba",
"trigger_type_remote_rotate_from_side": "Dispositivo girado desde \"lado 6\" a \"{subtype}\"",
"device_turned_clockwise": "Dispositivo girado en el sentido de las agujas del reloj",
"device_turned_counter_clockwise": "Dispositivo girado en sentido contrario a las agujas del reloj",
- "send_a_notification": "Enviar una notificación",
- "let_entity_name_clean": "Dejar que {entity_name} limpie",
- "action_type_dock": "Dejar que {entity_name} regrese a la base",
- "entity_name_is_cleaning": "{entity_name} está limpiando",
- "entity_name_docked": "{entity_name} en la base",
- "entity_name_started_cleaning": "{entity_name} empezó a limpiar",
"subtype_button_down": "Botón {subtype} pulsado",
"subtype_button_up": "Botón {subtype} soltado",
+ "subtype_double_push": "Pulsación doble de {subtype}",
"subtype_long_push": "Pulsación larga de {subtype}",
"trigger_type_long_single": "Pulsación larga de {subtype} seguida de una pulsación simple",
"subtype_single_push": "Pulsación simple de {subtype}",
"trigger_type_single_long": "Pulsación simple de {subtype} seguida de una pulsación larga",
"subtype_triple_push": "{subtype} pulsación triple",
- "lock_entity_name": "Bloquear {entity_name}",
- "unlock_entity_name": "Desbloquear {entity_name}",
+ "arm_entity_name_away": "Armar ausente en {entity_name}",
+ "arm_entity_name_home": "Armar en casa en {entity_name}",
+ "arm_entity_name_night": "Armar noche en {entity_name}",
+ "arm_entity_name_vacation": "Armar de vacaciones {entity_name}",
+ "disarm_entity_name": "Desarmar {entity_name}",
+ "trigger_entity_name": "Disparar {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} está armada ausente",
+ "entity_name_is_armed_home": "{entity_name} está armada en casa",
+ "entity_name_is_armed_night": "{entity_name} está armada noche",
+ "entity_name_is_armed_vacation": "{entity_name} está armada de vacaciones",
+ "entity_name_is_disarmed": "{entity_name} está desarmada",
+ "entity_name_is_triggered": "{entity_name} está disparada",
+ "entity_name_armed_away": "{entity_name} armada ausente",
+ "entity_name_armed_home": "{entity_name} armada en casa",
+ "entity_name_armed_night": "{entity_name} armada noche",
+ "entity_name_armed_vacation": "{entity_name} en armada de vacaciones",
+ "entity_name_disarmed": "{entity_name} desarmada",
+ "entity_name_triggered": "{entity_name} disparada",
+ "action_type_issue_all_led_effect": "Efecto de emisión para todos los LEDs",
+ "action_type_issue_individual_led_effect": "Efecto de emisión para LED individual",
+ "squawk": "Squawk",
+ "warn": "Advertir",
+ "color_hue": "Tono de color",
+ "duration_in_seconds": "Duración en segundos",
+ "effect_type": "Tipo de efecto",
+ "led_number": "Número de LED",
+ "with_face_activated": "Con la cara 6 activada",
+ "with_any_specified_face_s_activated": "Con cualquier cara/especificada(s) activada(s)",
+ "device_dropped": "Dispositivo caído",
+ "device_flipped_subtype": "Dispositivo volteado \"{subtype}\"",
+ "device_knocked_subtype": "Dispositivo golpeado \"{subtype}\"",
+ "device_offline": "Dispositivo sin conexión",
+ "device_rotated_subtype": "Dispositivo rotado \"{subtype}\"",
+ "device_slid_subtype": "Dispositivo deslizado \"{subtype}\"",
+ "device_tilted": "Dispositivo inclinado",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" pulsado dos veces (modo alternativo)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" pulsado continuamente (modo alternativo)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" soltado después de una pulsación larga (modo alternativo)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" cuádruple pulsación (modo alternativo)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quíntuple pulsación (modo alternativo)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pulsado (modo alternativo)",
+ "subtype_released_alternate_mode": "\"{subtype}\" soltado (modo alternativo)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" pulsado tres veces (modo alternativo)",
"add_to_queue": "Añadir a la cola",
"play_next": "Reproducir siguiente",
"options_replace": "Reproducir ahora y borrar la cola",
"repeat_all": "Repetir todo",
"repeat_one": "Repetir una",
- "no_code_format": "Sin formato de código",
- "no_unit_of_measurement": "Sin unidad de medida",
- "critical": "Crítica",
- "debug": "Depuración",
- "warning": "Advertencia",
- "create_an_empty_calendar": "Crear un calendario vacío",
- "options_import_ics_file": "Subir un archivo de iCalendar (.ics)",
- "passive": "Pasivo",
- "most_recently_updated": "Actualizado más recientemente",
- "arithmetic_mean": "Media aritmética",
- "median": "Mediana",
- "product": "Producto",
- "statistical_range": "Rango estadístico",
- "standard_deviation": "Desviación estándar",
- "fatal": "Fatal",
"alice_blue": "Azul Alicia",
"antique_white": "Blanco antiguo",
"aqua": "Aqua",
@@ -3058,51 +3347,21 @@
"wheat": "Trigo",
"white_smoke": "Humo blanco",
"yellow_green": "Amarillo verde",
- "sets_the_value": "Establece el valor.",
- "the_target_value": "El valor objetivo.",
- "command": "Comando",
- "device_description": "ID del dispositivo al que enviar el comando.",
- "delete_command": "Borrar comando",
- "alternative": "Alternativa",
- "command_type_description": "El tipo de mando que debe aprenderse.",
- "command_type": "Tipo de comando",
- "timeout_description": "Tiempo de espera para que se aprenda el comando.",
- "learn_command": "Aprender comando",
- "delay_seconds": "Segundos de retardo",
- "hold_seconds": "Mantener segundos",
- "repeats": "Repite",
- "send_command": "Enviar comando",
- "sends_the_toggle_command": "Envía la orden de conmutación.",
- "turn_off_description": "Apaga una o varias luces.",
- "turn_on_description": "Inicia una nueva tarea de limpieza.",
- "set_datetime_description": "Establece la fecha y/o la hora.",
- "the_target_date": "La fecha objetivo.",
- "datetime_description": "La fecha y hora objetivo.",
- "the_target_time": "La hora objetivo.",
- "creates_a_new_backup": "Crea una nueva copia de seguridad.",
- "apply_description": "Activa una escena con configuración.",
- "entities_description": "Lista de entidades y su estado objetivo.",
- "entities_state": "Estado de las entidades",
- "transition": "Transición",
- "apply": "Aplicar",
- "creates_a_new_scene": "Crea una nueva escena.",
- "scene_id_description": "El ID de entidad de la nueva escena.",
- "scene_entity_id": "ID de entidad de escena",
- "snapshot_entities": "Entidades de instantánea",
- "delete_description": "Elimina una escena creada dinámicamente.",
- "activates_a_scene": "Activa una escena.",
- "closes_a_valve": "Cierra una válvula.",
- "opens_a_valve": "Abre una válvula.",
- "set_valve_position_description": "Mueve una válvula a una posición específica.",
- "target_position": "Posición objetivo.",
- "set_position": "Establecer posición",
- "stops_the_valve_movement": "Detiene el movimiento de la válvula.",
- "toggles_a_valve_open_closed": "Alterna una válvula abierta/cerrada.",
- "dashboard_path": "Ruta del panel de control",
- "view_path": "Ruta a la vista",
- "show_dashboard_view": "Mostrar la vista del panel de control",
- "finish_description": "Finaliza un temporizador en ejecución antes de lo programado.",
- "duration_description": "Duración personalizada para reiniciar el temporizador.",
+ "critical": "Crítica",
+ "debug": "Depuración",
+ "warning": "Advertencia",
+ "passive": "Pasivo",
+ "no_code_format": "Sin formato de código",
+ "no_unit_of_measurement": "Sin unidad de medida",
+ "fatal": "Fatal",
+ "most_recently_updated": "Actualizado más recientemente",
+ "arithmetic_mean": "Media aritmética",
+ "median": "Mediana",
+ "product": "Producto",
+ "statistical_range": "Rango estadístico",
+ "standard_deviation": "Desviación estándar",
+ "create_an_empty_calendar": "Crear un calendario vacío",
+ "options_import_ics_file": "Subir un archivo de iCalendar (.ics)",
"sets_a_random_effect": "Establece un efecto aleatorio.",
"sequence_description": "Lista de secuencias HSV (Máx 16).",
"backgrounds": "Fondos",
@@ -3119,6 +3378,7 @@
"saturation_range": "Rango de saturación",
"segments_description": "Lista de Segmentos (0 para todos).",
"segments": "Segmentos",
+ "transition": "Transición",
"range_of_transition": "Rango de transición.",
"transition_range": "Rango de transición",
"random_effect": "Efecto aleatorio",
@@ -3129,100 +3389,11 @@
"speed_of_spread": "Velocidad de propagación.",
"spread": "Propagar",
"sequence_effect": "Efecto de secuencia",
- "check_configuration": "Verificar configuración",
- "reload_all": "Recargar todo",
- "reload_config_entry_description": "Vuelve a cargar la entrada de configuración especificada.",
- "config_entry_id": "ID de entrada de configuración",
- "reload_config_entry": "Volver a cargar la entrada de configuración",
- "reload_core_config_description": "Vuelve a cargar la configuración principal desde la configuración YAML.",
- "reload_core_configuration": "Volver a cargar la configuración del núcleo",
- "reload_custom_jinja_templates": "Volver a cargar las plantillas personalizadas de Jinja2",
- "restarts_home_assistant": "Reinicia Home Assistant.",
- "safe_mode_description": "Deshabilita las integraciones y tarjetas personalizadas.",
- "save_persistent_states": "Guardar estados persistentes",
- "set_location_description": "Actualiza la ubicación de Home Assistant.",
- "elevation_description": "Elevación sobre el nivel del mar de tu ubicación.",
- "latitude_of_your_location": "Latitud de tu ubicación.",
- "longitude_of_your_location": "Longitud de tu ubicación.",
- "set_location": "Establecer ubicación",
- "stops_home_assistant": "Detiene Home Assistant.",
- "generic_toggle": "Alternar genérico",
- "generic_turn_off": "Apagado genérico",
- "generic_turn_on": "Encendido genérico",
- "entity_id_description": "Entidad a referenciar en la entrada del libro de registro.",
- "entities_to_update": "Entidades a actualizar",
- "update_entity": "Actualizar entidad",
- "turns_auxiliary_heater_on_off": "Enciende/apaga la calefacción auxiliar.",
- "aux_heat_description": "Nuevo valor del calefactor auxiliar.",
- "auxiliary_heating": "Calefacción auxiliar",
- "turn_on_off_auxiliary_heater": "Encender/apagar el calefactor auxiliar",
- "sets_fan_operation_mode": "Establece el modo de funcionamiento del ventilador.",
- "fan_operation_mode": "Modo de funcionamiento del ventilador.",
- "set_fan_mode": "Establecer el modo de ventilador",
- "sets_target_humidity": "Establece la humedad objetivo.",
- "set_target_humidity": "Establecer la humedad objetivo",
- "sets_hvac_operation_mode": "Establece el modo de funcionamiento de la climatización.",
- "hvac_operation_mode": "Modo de funcionamiento HVAC.",
- "set_hvac_mode": "Establecer el modo HVAC",
- "sets_preset_mode": "Establece el modo preestablecido.",
- "set_preset_mode": "Establecer el modo preestablecido",
- "set_swing_horizontal_mode_description": "Establece el modo de operación de oscilación horizontal.",
- "horizontal_swing_operation_mode": "Modo de funcionamiento de oscilación horizontal.",
- "set_horizontal_swing_mode": "Establecer el modo de oscilación horizontal",
- "sets_swing_operation_mode": "Establece el modo de funcionamiento de oscilación.",
- "swing_operation_mode": "Modo de funcionamiento oscilante.",
- "set_swing_mode": "Establecer el modo de oscilación",
- "sets_the_temperature_setpoint": "Establece la consigna de temperatura.",
- "the_max_temperature_setpoint": "La consigna de temperatura máxima.",
- "the_min_temperature_setpoint": "La consigna de temperatura mínima.",
- "the_temperature_setpoint": "La consigna de temperatura.",
- "set_target_temperature": "Establecer la temperatura deseada",
- "turns_climate_device_off": "Apaga el dispositivo de climatización.",
- "turns_climate_device_on": "Enciende el dispositivo de climatización.",
- "decrement_description": "Disminuye el valor actual en 1 paso.",
- "increment_description": "Incrementa el valor actual en 1 paso.",
- "reset_description": "Restablece un contador a su valor inicial.",
- "set_value_description": "Establece el valor de un número.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Valor del parámetro de configuración.",
- "clear_playlist_description": "Elimina todos los elementos de la lista de reproducción.",
- "clear_playlist": "Borrar lista de reproducción",
- "selects_the_next_track": "Selecciona la pista siguiente.",
- "pauses": "Pausa.",
- "starts_playing": "Empieza la reproducción.",
- "toggles_play_pause": "Alterna reproducción/pausa.",
- "selects_the_previous_track": "Selecciona la pista anterior.",
- "seek": "Buscar",
- "stops_playing": "Deja de reproducir.",
- "starts_playing_specified_media": "Inicia la reproducción del medio especificado.",
- "announce": "Anunciar",
- "enqueue": "Poner en cola",
- "repeat_mode_to_set": "Modo de repetición para configurar.",
- "select_sound_mode_description": "Selecciona un modo de sonido específico.",
- "select_sound_mode": "Seleccione el modo de sonido",
- "select_source": "Seleccionar fuente",
- "shuffle_description": "Si el modo aleatorio está habilitado o no.",
- "toggle_description": "Activa y desactiva la aspiradora.",
- "unjoin": "Desunir",
- "turns_down_the_volume": "Baja el volumen.",
- "volume_mute_description": "Silencia o reactiva el reproductor multimedia.",
- "is_volume_muted_description": "Define si está silenciado o no.",
- "mute_unmute_volume": "Silenciar/activar volumen",
- "sets_the_volume_level": "Establece el nivel de volumen.",
- "level": "Nivel",
- "set_volume": "Ajustar el volumen",
- "turns_up_the_volume": "Sube el volumen.",
- "battery_description": "Nivel de batería del dispositivo.",
- "gps_coordinates": "Coordenadas GPS",
- "gps_accuracy_description": "Precisión de las coordenadas GPS.",
- "hostname_of_the_device": "Nombre de host del dispositivo.",
- "hostname": "Nombre de host",
- "mac_description": "Dirección MAC del dispositivo.",
- "see": "Ver",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Activa o desactiva la sirena.",
+ "turns_the_siren_off": "Apaga la sirena.",
+ "turns_the_siren_on": "Enciende la sirena.",
"brightness_value": "Valor de brillo",
"a_human_readable_color_name": "Un nombre de color legible por humanos.",
"color_name": "Nombre del color",
@@ -3235,25 +3406,70 @@
"rgbww_color": "Color RGBWW",
"white_description": "Pone la luz en modo blanco.",
"xy_color": "Color XY",
+ "turn_off_description": "Envía la orden de apagado.",
"brightness_step_description": "Cambia el brillo en una cantidad.",
"brightness_step_value": "Valor de paso de brillo",
"brightness_step_pct_description": "Cambia el brillo en un porcentaje.",
"brightness_step": "Paso de brillo",
- "add_event_description": "Añade un nuevo evento de calendario.",
- "calendar_id_description": "El id del calendario que quieres.",
- "calendar_id": "ID del calendario",
- "description_description": "La descripción del evento. Opcional.",
- "summary_description": "Actúa como título del evento.",
- "location_description": "La ubicación del evento.",
- "create_event": "Crear evento",
- "apply_filter": "Aplicar filtro",
- "days_to_keep": "Días para mantener",
- "repack": "Volver a empaquetar",
- "purge": "Purgar",
- "domains_to_remove": "Dominios a eliminar",
- "entity_globs_to_remove": "Patrones globs de entidad para eliminar",
- "entities_to_remove": "Entidades a eliminar",
- "purge_entities": "Purgar entidades",
+ "toggles_the_helper_on_off": "Activa o desactiva el ayudante.",
+ "turns_off_the_helper": "Apaga el ayudante.",
+ "turns_on_the_helper": "Enciende al ayudante.",
+ "pauses_the_mowing_task": "Pausa la tarea de corte de césped.",
+ "starts_the_mowing_task": "Inicia la tarea de corte de césped.",
+ "creates_a_new_backup": "Crea una nueva copia de seguridad.",
+ "sets_the_value": "Establece el valor.",
+ "enter_your_text": "Introduce tu texto.",
+ "set_value": "Establecer valor",
+ "clear_lock_user_code_description": "Borra un código de usuario de una cerradura.",
+ "code_slot_description": "Ranura de código para establecer el código.",
+ "code_slot": "Ranura de código",
+ "clear_lock_user": "Borrar usuario de cerradura",
+ "disable_lock_user_code_description": "Deshabilita un código de usuario en una cerradura.",
+ "code_slot_to_disable": "Ranura de código a desactivar.",
+ "disable_lock_user": "Deshabilitar usuario de cerradura",
+ "enable_lock_user_code_description": "Habilita un código de usuario en una cerradura.",
+ "code_slot_to_enable": "Ranura de código para habilitar.",
+ "enable_lock_user": "Habilitar usuario de cerradura",
+ "args_description": "Argumentos a pasar al comando.",
+ "args": "Args",
+ "cluster_id_description": "Clúster ZCL para recuperar atributos.",
+ "cluster_id": "ID de clúster",
+ "type_of_the_cluster": "Tipo del clúster.",
+ "cluster_type": "Tipo de clúster",
+ "command_description": "Comando(s) para enviar a Google Assistant.",
+ "command": "Comando",
+ "command_type_description": "El tipo de mando que debe aprenderse.",
+ "command_type": "Tipo de comando",
+ "endpoint_id_description": "Id. del extremo para el clúster.",
+ "endpoint_id": "ID del extremo",
+ "ieee_description": "Dirección IEEE para el dispositivo.",
+ "ieee": "IEEE",
+ "manufacturer": "Fabricante",
+ "params_description": "Parámetros que se van a pasar al comando.",
+ "params": "Parámetros",
+ "issue_zigbee_cluster_command": "Emitir comando de clúster zigbee",
+ "group_description": "Dirección hexadecimal del grupo.",
+ "issue_zigbee_group_command": "Emitir comando de grupo zigbee",
+ "permit_description": "Permite que los nodos se unan a la red Zigbee.",
+ "time_to_permit_joins": "Tiempo durante el que se permiten las uniones.",
+ "install_code": "Código de instalación",
+ "qr_code": "Código QR",
+ "source_ieee": "Fuente IEEE",
+ "permit": "Permitir",
+ "reconfigure_device": "Volver a configurar el dispositivo",
+ "remove_description": "Elimina un nodo de la red Zigbee.",
+ "set_lock_user_code_description": "Establece un código de usuario en una cerradura.",
+ "code_to_set": "Código a configurar.",
+ "set_lock_user_code": "Establecer código de usuario de bloqueo",
+ "attribute_description": "ID del atributo a establecer.",
+ "value_description": "El valor objetivo a establecer.",
+ "set_zigbee_cluster_attribute": "Establecer atributo de clúster zigbee",
+ "level": "Nivel",
+ "strobe": "Estroboscópico",
+ "warning_device_squawk": "Graznido del dispositivo de advertencia",
+ "duty_cycle": "Ciclo de trabajo",
+ "intensity": "Intensidad",
+ "warning_device_starts_alert": "El dispositivo de advertencia inicia la alerta",
"dump_log_objects": "Volcar objetos de registro",
"log_current_tasks_description": "Registra todas las tareas asyncio actuales.",
"log_current_asyncio_tasks": "Registrar tareas asyncio actuales",
@@ -3279,27 +3495,301 @@
"stop_logging_object_sources": "Dejar de registrar orígenes de objetos",
"stop_log_objects_description": "Detiene el registro del crecimiento de los objetos en la memoria.",
"stop_logging_objects": "Detener el registro de objetos",
+ "set_default_level_description": "Establece el nivel de registro predeterminado para las integraciones.",
+ "level_description": "Nivel de gravedad predeterminado para todas las integraciones.",
+ "set_default_level": "Establecer nivel predeterminado",
+ "set_level": "Establecer nivel",
+ "stops_a_running_script": "Detiene un script en ejecución.",
+ "clear_skipped_update": "Borrar actualización omitida",
+ "install_update": "Instalar actualización",
+ "skip_description": "Marca la actualización actualmente disponible como omitida.",
+ "skip_update": "Omitir actualización",
+ "decrease_speed_description": "Disminuye la velocidad de un ventilador.",
+ "decrease_speed": "Reducir la velocidad",
+ "increase_speed_description": "Aumenta la velocidad de un ventilador.",
+ "increase_speed": "Aumentar la velocidad",
+ "oscillate_description": "Controla la oscilación de un ventilador.",
+ "turns_oscillation_on_off": "Activa/desactiva la oscilación.",
+ "set_direction_description": "Establece la dirección de rotación de un ventilador.",
+ "direction_description": "Sentido de rotación del ventilador.",
+ "set_direction": "Establecer dirección",
+ "set_percentage_description": "Establece la velocidad de un ventilador.",
+ "speed_of_the_fan": "Velocidad del ventilador.",
+ "percentage": "Porcentaje",
+ "set_speed": "Ajustar velocidad",
+ "sets_preset_fan_mode": "Establece el modo de ventilador preestablecido.",
+ "preset_fan_mode": "Modo preestablecido de ventilador.",
+ "set_preset_mode": "Establecer el modo de preajuste",
+ "toggles_a_fan_on_off": "Enciende y apaga un ventilador.",
+ "turns_fan_off": "Apaga el ventilador.",
+ "turns_fan_on": "Enciende el ventilador.",
+ "set_datetime_description": "Establece la fecha y/o la hora.",
+ "the_target_date": "La fecha objetivo.",
+ "datetime_description": "La fecha y hora objetivo.",
+ "the_target_time": "La hora objetivo.",
+ "log_description": "Crea una entrada personalizada en el libro de registro.",
+ "entity_id_description": "Reproductores multimedia para reproducir el mensaje.",
+ "message_description": "Cuerpo del mensaje de la notificación.",
+ "request_sync_description": "Envía un comando request_sync a Google.",
+ "agent_user_id": "ID de usuario del agente",
+ "request_sync": "Solicitar sincronización",
+ "apply_description": "Activa una escena con configuración.",
+ "entities_description": "Lista de entidades y su estado objetivo.",
+ "entities_state": "Estado de las entidades",
+ "apply": "Aplicar",
+ "creates_a_new_scene": "Crea una nueva escena.",
+ "entity_states": "Estados de entidad",
+ "scene_id_description": "El ID de entidad de la nueva escena.",
+ "scene_entity_id": "ID de entidad de escena",
+ "entities_snapshot": "Instantánea de entidades",
+ "delete_description": "Elimina una escena creada dinámicamente.",
+ "activates_a_scene": "Activa una escena.",
"reload_themes_description": "Recarga temas desde la configuración YAML.",
"reload_themes": "Recargar temas",
"name_of_a_theme": "Nombre de un tema.",
"set_the_default_theme": "Establecer el tema por defecto",
+ "decrement_description": "Disminuye el valor actual en 1 paso.",
+ "increment_description": "Incrementa el valor actual en 1 paso.",
+ "reset_description": "Restablece un contador a su valor inicial.",
+ "set_value_description": "Establece el valor de un número.",
+ "check_configuration": "Verificar configuración",
+ "reload_all": "Recargar todo",
+ "reload_config_entry_description": "Vuelve a cargar la entrada de configuración especificada.",
+ "config_entry_id": "ID de entrada de configuración",
+ "reload_config_entry": "Volver a cargar la entrada de configuración",
+ "reload_core_config_description": "Vuelve a cargar la configuración principal desde la configuración YAML.",
+ "reload_core_configuration": "Volver a cargar la configuración del núcleo",
+ "reload_custom_jinja_templates": "Volver a cargar las plantillas personalizadas de Jinja2",
+ "restarts_home_assistant": "Reinicia Home Assistant.",
+ "safe_mode_description": "Deshabilita las integraciones y tarjetas personalizadas.",
+ "save_persistent_states": "Guardar estados persistentes",
+ "set_location_description": "Actualiza la ubicación de Home Assistant.",
+ "elevation_description": "Elevación sobre el nivel del mar de tu ubicación.",
+ "latitude_of_your_location": "Latitud de tu ubicación.",
+ "longitude_of_your_location": "Longitud de tu ubicación.",
+ "set_location": "Establecer ubicación",
+ "stops_home_assistant": "Detiene Home Assistant.",
+ "generic_toggle": "Alternar genérico",
+ "generic_turn_off": "Apagado genérico",
+ "generic_turn_on": "Encendido genérico",
+ "entities_to_update": "Entidades a actualizar",
+ "update_entity": "Actualizar entidad",
+ "notify_description": "Envía un mensaje de notificación a los objetivos seleccionados.",
+ "data": "Datos",
+ "title_for_your_notification": "Título para tu notificación.",
+ "title_of_the_notification": "Título de la notificación.",
+ "send_a_persistent_notification": "Enviar una notificación persistente",
+ "sends_a_notification_message": "Envía un mensaje de notificación.",
+ "your_notification_message": "Su mensaje de notificación.",
+ "title_description": "Título opcional de la notificación.",
+ "send_magic_packet": "Enviar paquete mágico",
+ "topic_to_listen_to": "Topic a escuchar.",
+ "topic": "Topic",
+ "export": "Exportar",
+ "publish_description": "Publica un mensaje en un topic de MQTT.",
+ "evaluate_payload": "Evaluar payload",
+ "the_payload_to_publish": "La payload a publicar.",
+ "payload": "Payload",
+ "payload_template": "Plantilla de payload",
+ "qos": "QoS",
+ "retain": "Retener",
+ "topic_to_publish_to": "Topic en el que publicar.",
+ "publish": "Publicar",
+ "load_url_description": "Carga una URL en Fully Kiosk Browser.",
+ "url_to_load": "URL a cargar.",
+ "load_url": "Cargar URL",
+ "configuration_parameter_to_set": "Parámetro de configuración a establecer.",
+ "key": "Clave",
+ "set_configuration": "Establecer configuración",
+ "application_description": "Nombre del paquete de la aplicación a iniciar.",
+ "start_application": "Iniciar aplicación",
+ "battery_description": "Nivel de batería del dispositivo.",
+ "gps_coordinates": "Coordenadas GPS",
+ "gps_accuracy_description": "Precisión de las coordenadas GPS.",
+ "hostname_of_the_device": "Nombre de host del dispositivo.",
+ "hostname": "Nombre de host",
+ "mac_description": "Dirección MAC del dispositivo.",
+ "see": "Ver",
+ "device_description": "ID del dispositivo al que enviar el comando.",
+ "delete_command": "Borrar comando",
+ "alternative": "Alternativa",
+ "timeout_description": "Tiempo de espera para que se aprenda el comando.",
+ "learn_command": "Aprender comando",
+ "delay_seconds": "Segundos de retardo",
+ "hold_seconds": "Mantener segundos",
+ "repeats": "Repite",
+ "send_command": "Enviar comando",
+ "sends_the_toggle_command": "Envía la orden de conmutación.",
+ "turn_on_description": "Inicia una nueva tarea de limpieza.",
+ "get_weather_forecast": "Obtén la previsión meteorológica.",
+ "type_description": "Tipo de previsión: diaria, horaria o dos veces al día.",
+ "forecast_type": "Tipo de previsión",
+ "get_forecast": "Obtener previsión",
+ "get_weather_forecasts": "Obtener previsiones meteorológicas.",
+ "get_forecasts": "Obtener previsiones",
+ "press_the_button_entity": "Pulsar el botón entidad.",
+ "enable_remote_access": "Habilitar el acceso remoto",
+ "disable_remote_access": "Deshabilitar el acceso remoto",
+ "create_description": "Muestra una notificación en el panel de notificaciones.",
+ "notification_id": "ID de notificación",
+ "dismiss_description": "Elimina una notificación del panel de notificaciones.",
+ "notification_id_description": "ID de la notificación a eliminar.",
+ "dismiss_all_description": "Elimina todas las notificaciones del panel de notificaciones.",
+ "locate_description": "Localiza el robot aspirador.",
+ "pauses_the_cleaning_task": "Pausa la tarea de limpieza.",
+ "send_command_description": "Envía un comando al aspirador.",
+ "set_fan_speed": "Ajustar la velocidad del ventilador",
+ "start_description": "Inicia o reanuda la tarea de limpieza.",
+ "start_pause_description": "Inicia, pausa o reanuda la tarea de limpieza.",
+ "stop_description": "Detiene la tarea de limpieza actual.",
+ "toggle_description": "Enciende o apaga un reproductor multimedia.",
+ "play_chime_description": "Reproduce un tono de llamada en un Reolink Chime.",
+ "target_chime": "Timbre de destino",
+ "ringtone_to_play": "Tono de llamada a reproducir.",
+ "ringtone": "Tono de llamada",
+ "play_chime": "Reproducir timbre",
+ "ptz_move_description": "Mueve la cámara con una velocidad determinada.",
+ "ptz_move_speed": "Velocidad de movimiento PTZ.",
+ "ptz_move": "Movimiento PTZ",
+ "disables_the_motion_detection": "Deshabilita la detección de movimiento.",
+ "disable_motion_detection": "Deshabilitar la detección de movimiento",
+ "enables_the_motion_detection": "Habilita la detección de movimiento.",
+ "enable_motion_detection": "Habilitar detección de movimiento",
+ "format_description": "Formato de transmisión compatible con el reproductor multimedia.",
+ "format": "Formato",
+ "media_player_description": "Reproductores multimedia en los que transmitir.",
+ "play_stream": "Reproducir transmisión",
+ "filename_description": "Ruta completa al nombre del archivo. Debe ser mp4.",
+ "filename": "Nombre de archivo",
+ "lookback": "Mirar atrás",
+ "snapshot_description": "Toma una instantánea de una cámara.",
+ "full_path_to_filename": "Ruta completa al nombre del archivo.",
+ "take_snapshot": "Tomar instantánea",
+ "turns_off_the_camera": "Apaga la cámara.",
+ "turns_on_the_camera": "Enciende la cámara.",
+ "reload_resources_description": "Recarga los recursos del panel de control desde la configuración YAML.",
"clear_tts_cache": "Borrar caché TTS",
"cache": "Caché",
"language_description": "Idioma del texto. El valor predeterminado es el idioma del servidor.",
"options_description": "Un diccionario que contiene opciones específicas de la integración.",
"say_a_tts_message": "Decir un mensaje TTS",
- "media_player_entity_id_description": "Reproductores multimedia para reproducir el mensaje.",
"media_player_entity": "Entidad de reproductor multimedia",
"speak": "Hablar",
- "reload_resources_description": "Recarga los recursos del panel de control desde la configuración YAML.",
- "toggles_the_siren_on_off": "Activa o desactiva la sirena.",
- "turns_the_siren_off": "Apaga la sirena.",
- "turns_the_siren_on": "Enciende la sirena.",
- "toggles_the_helper_on_off": "Activa o desactiva el ayudante.",
- "turns_off_the_helper": "Apaga el ayudante.",
- "turns_on_the_helper": "Enciende al ayudante.",
- "pauses_the_mowing_task": "Pausa la tarea de corte de césped.",
- "starts_the_mowing_task": "Inicia la tarea de corte de césped.",
+ "send_text_command": "Enviar comando de texto",
+ "the_target_value": "El valor objetivo.",
+ "removes_a_group": "Elimina un grupo.",
+ "object_id": "ID del objeto",
+ "creates_updates_a_group": "Crea/actualiza un grupo.",
+ "add_entities": "Añadir entidades",
+ "icon_description": "Nombre del icono del grupo.",
+ "name_of_the_group": "Nombre del grupo.",
+ "remove_entities": "Eliminar entidades",
+ "locks_a_lock": "Bloquea una cerradura.",
+ "code_description": "Código para armar la alarma.",
+ "opens_a_lock": "Abre una cerradura.",
+ "unlocks_a_lock": "Desbloquea una cerradura.",
+ "announce_description": "Deja que el satélite anuncie un mensaje.",
+ "media_id": "ID de medios",
+ "the_message_to_announce": "El mensaje a anunciar.",
+ "announce": "Anunciar",
+ "reloads_the_automation_configuration": "Vuelve a cargar la configuración de automatización.",
+ "trigger_description": "Desencadena las acciones de una automatización.",
+ "skip_conditions": "Omitir condiciones",
+ "trigger": "Desencadenante",
+ "disables_an_automation": "Deshabilita una automatización.",
+ "stops_currently_running_actions": "Detiene las acciones en curso.",
+ "stop_actions": "Detener acciones",
+ "enables_an_automation": "Habilita una automatización.",
+ "deletes_all_log_entries": "Elimina todas las entradas del registro.",
+ "write_log_entry": "Escribir entrada de registro.",
+ "log_level": "Nivel de registro.",
+ "message_to_log": "Mensaje para registrar.",
+ "write": "Escribir",
+ "dashboard_path": "Ruta del panel de control",
+ "view_path": "Ruta a la vista",
+ "show_dashboard_view": "Mostrar la vista del panel de control",
+ "process_description": "Inicia una conversación a partir de un texto transcrito.",
+ "agent": "Agente",
+ "conversation_id": "ID de conversación",
+ "transcribed_text_input": "Entrada de texto transcrito.",
+ "process": "Procesar",
+ "reloads_the_intent_configuration": "Vuelve a cargar la configuración de intentos.",
+ "conversation_agent_to_reload": "Agente de conversación para recargar.",
+ "closes_a_cover": "Cierra una persiana.",
+ "close_cover_tilt_description": "Inclina una persiana para cerrarla.",
+ "close_tilt": "Cerrar inclinación",
+ "opens_a_cover": "Abre una persiana.",
+ "tilts_a_cover_open": "Inclina una persiana para abrirla.",
+ "open_tilt": "Inclinación abierta",
+ "set_cover_position_description": "Mueve una persiana a una posición específica.",
+ "target_position": "Posición objetivo.",
+ "set_position": "Establecer posición",
+ "target_tilt_positition": "Posición de inclinación objetivo.",
+ "set_tilt_position": "Ajustar la posición de inclinación",
+ "stops_the_cover_movement": "Detiene el movimiento de la cubierta.",
+ "stop_cover_tilt_description": "Detiene un movimiento basculante de la cubierta.",
+ "stop_tilt": "Detener la inclinación",
+ "toggles_a_cover_open_closed": "Alterna una cubierta abierta/cerrada.",
+ "toggle_cover_tilt_description": "Alterna la inclinación de una cubierta abierta/cerrada.",
+ "toggle_tilt": "Alternar inclinación",
+ "turns_auxiliary_heater_on_off": "Enciende/apaga la calefacción auxiliar.",
+ "aux_heat_description": "Nuevo valor del calefactor auxiliar.",
+ "auxiliary_heating": "Calefacción auxiliar",
+ "turn_on_off_auxiliary_heater": "Encender/apagar el calefactor auxiliar",
+ "sets_fan_operation_mode": "Establece el modo de funcionamiento del ventilador.",
+ "fan_operation_mode": "Modo de funcionamiento del ventilador.",
+ "set_fan_mode": "Establecer el modo de ventilador",
+ "sets_target_humidity": "Establece la humedad objetivo.",
+ "set_target_humidity": "Establecer la humedad objetivo",
+ "sets_hvac_operation_mode": "Establece el modo de funcionamiento de la climatización.",
+ "hvac_operation_mode": "Modo de funcionamiento HVAC.",
+ "set_hvac_mode": "Establecer el modo HVAC",
+ "sets_preset_mode": "Establece el modo preestablecido.",
+ "set_swing_horizontal_mode_description": "Establece el modo de operación de oscilación horizontal.",
+ "horizontal_swing_operation_mode": "Modo de funcionamiento de oscilación horizontal.",
+ "set_horizontal_swing_mode": "Establecer el modo de oscilación horizontal",
+ "sets_swing_operation_mode": "Establece el modo de funcionamiento de oscilación.",
+ "swing_operation_mode": "Modo de funcionamiento oscilante.",
+ "set_swing_mode": "Establecer el modo de oscilación",
+ "sets_the_temperature_setpoint": "Establece la consigna de temperatura.",
+ "the_max_temperature_setpoint": "La consigna de temperatura máxima.",
+ "the_min_temperature_setpoint": "La consigna de temperatura mínima.",
+ "the_temperature_setpoint": "La consigna de temperatura.",
+ "set_target_temperature": "Establecer la temperatura deseada",
+ "turns_climate_device_off": "Apaga el dispositivo de climatización.",
+ "turns_climate_device_on": "Enciende el dispositivo de climatización.",
+ "apply_filter": "Aplicar filtro",
+ "days_to_keep": "Días para mantener",
+ "repack": "Volver a empaquetar",
+ "purge": "Purgar",
+ "domains_to_remove": "Dominios a eliminar",
+ "entity_globs_to_remove": "Patrones globs de entidad para eliminar",
+ "entities_to_remove": "Entidades a eliminar",
+ "purge_entities": "Purgar entidades",
+ "clear_playlist_description": "Elimina todos los elementos de la lista de reproducción.",
+ "clear_playlist": "Borrar lista de reproducción",
+ "selects_the_next_track": "Selecciona la pista siguiente.",
+ "pauses": "Pausa.",
+ "starts_playing": "Empieza la reproducción.",
+ "toggles_play_pause": "Alterna reproducción/pausa.",
+ "selects_the_previous_track": "Selecciona la pista anterior.",
+ "seek": "Buscar",
+ "stops_playing": "Deja de reproducir.",
+ "starts_playing_specified_media": "Inicia la reproducción del medio especificado.",
+ "enqueue": "Poner en cola",
+ "repeat_mode_to_set": "Modo de repetición para configurar.",
+ "select_sound_mode_description": "Selecciona un modo de sonido específico.",
+ "select_sound_mode": "Seleccione el modo de sonido",
+ "select_source": "Seleccionar fuente",
+ "shuffle_description": "Si el modo aleatorio está habilitado o no.",
+ "unjoin": "Desunir",
+ "turns_down_the_volume": "Baja el volumen.",
+ "volume_mute_description": "Silencia o reactiva el reproductor multimedia.",
+ "is_volume_muted_description": "Define si está silenciado o no.",
+ "mute_unmute_volume": "Silenciar/activar volumen",
+ "sets_the_volume_level": "Establece el nivel de volumen.",
+ "set_volume": "Ajustar el volumen",
+ "turns_up_the_volume": "Sube el volumen.",
"restarts_an_add_on": "Reinicia un complemento.",
"the_add_on_to_restart": "El complemento a reiniciar.",
"restart_add_on": "Reiniciar el complemento",
@@ -3338,40 +3828,6 @@
"restore_partial_description": "Restaura desde una copia de seguridad parcial.",
"restores_home_assistant": "Restaura Home Assistant.",
"restore_from_partial_backup": "Restaurar desde una copia de seguridad parcial",
- "decrease_speed_description": "Disminuye la velocidad de un ventilador.",
- "decrease_speed": "Reducir la velocidad",
- "increase_speed_description": "Aumenta la velocidad de un ventilador.",
- "increase_speed": "Aumentar la velocidad",
- "oscillate_description": "Controla la oscilación de un ventilador.",
- "turns_oscillation_on_off": "Activa/desactiva la oscilación.",
- "set_direction_description": "Establece la dirección de rotación de un ventilador.",
- "direction_description": "Sentido de rotación del ventilador.",
- "set_direction": "Establecer dirección",
- "set_percentage_description": "Establece la velocidad de un ventilador.",
- "speed_of_the_fan": "Velocidad del ventilador.",
- "percentage": "Porcentaje",
- "set_speed": "Ajustar velocidad",
- "sets_preset_fan_mode": "Establece el modo de ventilador preestablecido.",
- "preset_fan_mode": "Modo preestablecido de ventilador.",
- "toggles_a_fan_on_off": "Enciende y apaga un ventilador.",
- "turns_fan_off": "Apaga el ventilador.",
- "turns_fan_on": "Enciende el ventilador.",
- "get_weather_forecast": "Obtén la previsión meteorológica.",
- "type_description": "Tipo de previsión: diaria, horaria o dos veces al día.",
- "forecast_type": "Tipo de previsión",
- "get_forecast": "Obtener previsión",
- "get_weather_forecasts": "Obtener previsiones meteorológicas.",
- "get_forecasts": "Obtener previsiones",
- "clear_skipped_update": "Borrar actualización omitida",
- "install_update": "Instalar actualización",
- "skip_description": "Marca la actualización actualmente disponible como omitida.",
- "skip_update": "Omitir actualización",
- "code_description": "Código utilizado para desbloquear la cerradura.",
- "arm_with_custom_bypass": "Armar con derivación personalizada",
- "alarm_arm_vacation_description": "Establece la alarma en: _armado por vacaciones_.",
- "disarms_the_alarm": "Desarma la alarma.",
- "trigger_the_alarm_manually": "Disparar la alarma manualmente.",
- "trigger": "Desencadenante",
"selects_the_first_option": "Selecciona la primera opción.",
"first": "Primera",
"selects_the_last_option": "Selecciona la última opción.",
@@ -3379,75 +3835,16 @@
"selects_an_option": "Selecciona una opción.",
"option_to_be_selected": "Opción a seleccionar.",
"selects_the_previous_option": "Selecciona la opción anterior.",
- "disables_the_motion_detection": "Deshabilita la detección de movimiento.",
- "disable_motion_detection": "Deshabilitar la detección de movimiento",
- "enables_the_motion_detection": "Habilita la detección de movimiento.",
- "enable_motion_detection": "Habilitar detección de movimiento",
- "format_description": "Formato de transmisión compatible con el reproductor multimedia.",
- "format": "Formato",
- "media_player_description": "Reproductores multimedia en los que transmitir.",
- "play_stream": "Reproducir transmisión",
- "filename_description": "Ruta completa al nombre del archivo. Debe ser mp4.",
- "filename": "Nombre de archivo",
- "lookback": "Mirar atrás",
- "snapshot_description": "Toma una instantánea de una cámara.",
- "full_path_to_filename": "Ruta completa al nombre del archivo.",
- "take_snapshot": "Tomar instantánea",
- "turns_off_the_camera": "Apaga la cámara.",
- "turns_on_the_camera": "Enciende la cámara.",
- "press_the_button_entity": "Pulsar el botón entidad.",
+ "add_event_description": "Añade un nuevo evento de calendario.",
+ "location_description": "La ubicación del evento. Opcional.",
"start_date_description": "La fecha en que debe comenzar el evento de todo el día.",
+ "create_event": "Crear evento",
"get_events": "Obtener eventos",
- "sets_the_options": "Establece las opciones.",
- "list_of_options": "Lista de opciones.",
- "set_options": "Establecer opciones",
- "closes_a_cover": "Cierra una persiana.",
- "close_cover_tilt_description": "Inclina una persiana para cerrarla.",
- "close_tilt": "Cerrar inclinación",
- "opens_a_cover": "Abre una persiana.",
- "tilts_a_cover_open": "Inclina una persiana para abrirla.",
- "open_tilt": "Inclinación abierta",
- "set_cover_position_description": "Mueve una persiana a una posición específica.",
- "target_tilt_positition": "Posición de inclinación objetivo.",
- "set_tilt_position": "Ajustar la posición de inclinación",
- "stops_the_cover_movement": "Detiene el movimiento de la cubierta.",
- "stop_cover_tilt_description": "Detiene un movimiento basculante de la cubierta.",
- "stop_tilt": "Detener la inclinación",
- "toggles_a_cover_open_closed": "Alterna una cubierta abierta/cerrada.",
- "toggle_cover_tilt_description": "Alterna la inclinación de una cubierta abierta/cerrada.",
- "toggle_tilt": "Alternar inclinación",
- "request_sync_description": "Envía un comando request_sync a Google.",
- "agent_user_id": "ID de usuario del agente",
- "request_sync": "Solicitar sincronización",
- "log_description": "Crea una entrada personalizada en el libro de registro.",
- "message_description": "Cuerpo del mensaje de la notificación.",
- "enter_your_text": "Introduce tu texto.",
- "set_value": "Establecer valor",
- "topic_to_listen_to": "Topic a escuchar.",
- "topic": "Topic",
- "export": "Exportar",
- "publish_description": "Publica un mensaje en un topic de MQTT.",
- "evaluate_payload": "Evaluar payload",
- "the_payload_to_publish": "La payload a publicar.",
- "payload": "Payload",
- "payload_template": "Plantilla de payload",
- "qos": "QoS",
- "retain": "Retener",
- "topic_to_publish_to": "Topic en el que publicar.",
- "publish": "Publicar",
- "reloads_the_automation_configuration": "Vuelve a cargar la configuración de automatización.",
- "trigger_description": "Desencadena las acciones de una automatización.",
- "skip_conditions": "Omitir condiciones",
- "disables_an_automation": "Deshabilita una automatización.",
- "stops_currently_running_actions": "Detiene las acciones en curso.",
- "stop_actions": "Detener acciones",
- "enables_an_automation": "Habilita una automatización.",
- "enable_remote_access": "Habilitar el acceso remoto",
- "disable_remote_access": "Deshabilitar el acceso remoto",
- "set_default_level_description": "Establece el nivel de registro predeterminado para las integraciones.",
- "level_description": "Nivel de gravedad predeterminado para todas las integraciones.",
- "set_default_level": "Establecer nivel predeterminado",
- "set_level": "Establecer nivel",
+ "closes_a_valve": "Cierra una válvula.",
+ "opens_a_valve": "Abre una válvula.",
+ "set_valve_position_description": "Mueve una válvula a una posición específica.",
+ "stops_the_valve_movement": "Detiene el movimiento de la válvula.",
+ "toggles_a_valve_open_closed": "Alterna una válvula abierta/cerrada.",
"bridge_identifier": "Identificador del puente",
"configuration_payload": "Payload de configuración",
"entity_description": "Representa un dispositivo extremo específico en deCONZ.",
@@ -3456,81 +3853,31 @@
"device_refresh_description": "Actualiza los dispositivos disponibles de deCONZ.",
"device_refresh": "Actualizar dispositivos",
"remove_orphaned_entries": "Eliminar entradas huérfanas",
- "locate_description": "Localiza el robot aspirador.",
- "pauses_the_cleaning_task": "Pausa la tarea de limpieza.",
- "send_command_description": "Envía un comando al aspirador.",
- "command_description": "Comando(s) para enviar a Google Assistant.",
- "parameters": "Parámetros",
- "set_fan_speed": "Ajustar la velocidad del ventilador",
- "start_description": "Inicia o reanuda la tarea de limpieza.",
- "start_pause_description": "Inicia, pausa o reanuda la tarea de limpieza.",
- "stop_description": "Detiene la tarea de limpieza actual.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Activa o desactiva un interruptor.",
- "turns_a_switch_off": "Apaga un interruptor.",
- "turns_a_switch_on": "Enciende un interruptor.",
+ "calendar_id_description": "El id del calendario que quieres.",
+ "calendar_id": "ID del calendario",
+ "description_description": "La descripción del evento. Opcional.",
+ "summary_description": "Actúa como título del evento.",
"extract_media_url_description": "Extraer la URL de medios de un servicio.",
"format_query": "Formato de la consulta",
"url_description": "URL donde se pueden encontrar los medios.",
"media_url": "URL multimedia",
"get_media_url": "Obtener URL multimedia",
"play_media_description": "Descarga el archivo de la URL indicada.",
- "notify_description": "Envía un mensaje de notificación a los objetivos seleccionados.",
- "data": "Datos",
- "title_for_your_notification": "Título para tu notificación.",
- "title_of_the_notification": "Título de la notificación.",
- "send_a_persistent_notification": "Enviar una notificación persistente",
- "sends_a_notification_message": "Envía un mensaje de notificación.",
- "your_notification_message": "Su mensaje de notificación.",
- "title_description": "Título opcional de la notificación.",
- "process_description": "Inicia una conversación a partir de un texto transcrito.",
- "agent": "Agente",
- "conversation_id": "ID de conversación",
- "transcribed_text_input": "Entrada de texto transcrito.",
- "process": "Procesar",
- "reloads_the_intent_configuration": "Vuelve a cargar la configuración de intentos.",
- "conversation_agent_to_reload": "Agente de conversación para recargar.",
- "play_chime_description": "Reproduce un tono de llamada en un Reolink Chime.",
- "target_chime": "Timbre de destino",
- "ringtone_to_play": "Tono de llamada a reproducir.",
- "ringtone": "Tono de llamada",
- "play_chime": "Reproducir timbre",
- "ptz_move_description": "Mueve la cámara con una velocidad determinada.",
- "ptz_move_speed": "Velocidad de movimiento PTZ.",
- "ptz_move": "Movimiento PTZ",
- "send_magic_packet": "Enviar paquete mágico",
- "send_text_command": "Enviar comando de texto",
- "announce_description": "Deja que el satélite anuncie un mensaje.",
- "media_id": "ID de medios",
- "the_message_to_announce": "El mensaje a anunciar.",
- "deletes_all_log_entries": "Elimina todas las entradas del registro.",
- "write_log_entry": "Escribir entrada de registro.",
- "log_level": "Nivel de registro.",
- "message_to_log": "Mensaje para registrar.",
- "write": "Escribir",
- "locks_a_lock": "Bloquea una cerradura.",
- "opens_a_lock": "Abre una cerradura.",
- "unlocks_a_lock": "Desbloquea una cerradura.",
- "removes_a_group": "Elimina un grupo.",
- "object_id": "ID del objeto",
- "creates_updates_a_group": "Crea/actualiza un grupo.",
- "add_entities": "Añadir entidades",
- "icon_description": "Nombre del icono del grupo.",
- "name_of_the_group": "Nombre del grupo.",
- "remove_entities": "Eliminar entidades",
- "stops_a_running_script": "Detiene un script en ejecución.",
- "create_description": "Muestra una notificación en el panel de notificaciones.",
- "notification_id": "ID de notificación",
- "dismiss_description": "Elimina una notificación del panel de notificaciones.",
- "notification_id_description": "ID de la notificación a eliminar.",
- "dismiss_all_description": "Elimina todas las notificaciones del panel de notificaciones.",
- "load_url_description": "Carga una URL en Fully Kiosk Browser.",
- "url_to_load": "URL a cargar.",
- "load_url": "Cargar URL",
- "configuration_parameter_to_set": "Parámetro de configuración a establecer.",
- "key": "Clave",
- "set_configuration": "Establecer configuración",
- "application_description": "Nombre del paquete de la aplicación a iniciar.",
- "start_application": "Iniciar aplicación"
+ "sets_the_options": "Establece las opciones.",
+ "list_of_options": "Lista de opciones.",
+ "set_options": "Establecer opciones",
+ "arm_with_custom_bypass": "Armar con derivación personalizada",
+ "alarm_arm_vacation_description": "Establece la alarma en: _armado por vacaciones_.",
+ "disarms_the_alarm": "Desarma la alarma.",
+ "trigger_the_alarm_manually": "Disparar la alarma manualmente.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finaliza un temporizador en ejecución antes de lo programado.",
+ "duration_description": "Duración personalizada para reiniciar el temporizador.",
+ "toggles_a_switch_on_off": "Activa o desactiva un interruptor.",
+ "turns_a_switch_off": "Apaga un interruptor.",
+ "turns_a_switch_on": "Enciende un interruptor."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/et/et.json b/packages/core/src/hooks/useLocale/locales/et/et.json
index a1a0b155..efdbbb95 100644
--- a/packages/core/src/hooks/useLocale/locales/et/et.json
+++ b/packages/core/src/hooks/useLocale/locales/et/et.json
@@ -219,6 +219,7 @@
"name": "Nimi",
"optional": "valikuline",
"default": "Vaikimisi",
+ "ui_common_dont_save": "Ära salvesta",
"choose_player": "Vali meediamängija",
"media_browse_not_supported": "Meediamängija ei toeta meedia sirvimist.",
"pick_media": "Vali sisu",
@@ -639,6 +640,7 @@
"last_updated": "Viimati uuendatud",
"remaining_time": "Järelejäänud aeg",
"install_status": "Paigaldamise olek",
+ "ui_components_multi_textfield_add_item": "Lisa {item}",
"safe_mode": "Turvaline režiim",
"all_yaml_configuration": "Kogu YAML-i konfiguratsioon",
"domain": "Domeen",
@@ -743,6 +745,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Enne värskendamist loo varukoopia",
"update_instructions": "Uuendamise juhised",
"current_action": "Praegune tegevus",
+ "status": "Olek 2",
"vacuum_cleaner_commands": "Tolmuimeja käsud:",
"fan_speed": "Ventilaatori kiirus",
"clean_spot": "Puhasta koht",
@@ -777,7 +780,7 @@
"default_code": "Vaikekood",
"editor_default_code_error": "Kood ei vasta koodivormingule",
"entity_id": "Olemi ID",
- "unit_of_measurement": "Mõõtühik",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "Sademete ühik",
"display_precision": "Kuvamise täpsus",
"default_value": "Vaikimisi ( {value} )",
@@ -798,7 +801,7 @@
"cold": "Jahe",
"connectivity": "Ühenduvus",
"gas": "Gaas",
- "heat": "Küte",
+ "heat": "Küta",
"light": "Tuled",
"motion": "Liikumine",
"occupancy": "Hõivatus",
@@ -857,7 +860,7 @@
"more_info_about_entity": "Lisateave olemi kohta",
"restart_home_assistant": "Kas taaskäivitada Home Assistant?",
"quick_reload": "Kiire taaslaadimine",
- "reload_description": "Laadib uuesti kõik saadaolevad skriptid.",
+ "reload_description": "Taaslaeb taimerid YAML-konfiguratsioonist.",
"reloading_configuration": "Sätete taaslaadimine",
"failed_to_reload_configuration": "Sätete taaslaadimine nurjus",
"restart_description": "Katkestab kõik töötavad automatiseeringud ja skriptid.",
@@ -887,8 +890,8 @@
"password": "Salasõna",
"regex_pattern": "Regex mall",
"used_for_client_side_validation": "Kasutatakse kliendipoolseks valideerimiseks",
- "minimum_value": "Minimaalne väärtus",
- "maximum_value": "Maksimaalne väärtus",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Sisestusväli",
"slider": "Kerimisriba",
"step_size": "Loenduri samm",
@@ -1207,7 +1210,7 @@
"ui_panel_lovelace_editor_edit_view_type_helper_sections": "Vaatetüüpi \"jaotised\" kasutamiseks ei saa vaadet muuta, kuna migreerimist veel ei toetata. Alusta nullist uue vaatega kui soovid katsetada vaadet \"jaotised\".",
"card_configuration": "Kaardi seadistamine",
"type_card_configuration": "{type} kaardi seadistamine",
- "edit_card_pick_card": "Vali kaart mida soovid lisada.",
+ "edit_card_pick_card": "Lisa vaatesse",
"toggle_editor": "Lülita redaktor sisse/välja",
"you_have_unsaved_changes": "Teil on salvestamata muudatusi",
"edit_card_confirm_cancel": "Kas oled kindel, et tahad loobuda?",
@@ -1410,6 +1413,11 @@
"graph_type": "Graafiku tüüp",
"to_do_list": "Ülesannete loend",
"hide_completed_items": "Peida lõpetatud üksused",
+ "ui_panel_lovelace_editor_card_todo_list_display_order": "Kuvamise järjestus",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc": "Tähestikuline (A–Z)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_desc": "Tähestikuline (Z-A)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc": "Tähtaeg (varaseim esimene)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc": "Tähtaeg (hiliseim esimene)",
"thermostat": "Termostaat",
"thermostat_show_current_as_primary": "Kuva praegune temperatuur esmase teabena",
"tile": "Paan",
@@ -1515,140 +1523,119 @@
"invalid_display_format": "Sobimatu kuvavorming",
"compare_data": "Võrdle andmeid",
"reload_ui": "Taaslae Lovelace",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Tõeväärtuse abiline",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
+ "home_assistant_api": "Home Assistant API",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
"tag": "Märgis",
- "input_datetime": "Kuupäeva ja kellaaja abiline",
- "solis_inverter": "Solis Inverter",
+ "media_source": "Media Source",
+ "mobile_app": "Mobiilirakendus",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostika",
+ "filesize": "Filesize",
+ "group": "Rühm",
+ "binary_sensor": "Binaarne andur",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Valikmenüü abiline",
+ "device_automation": "Device Automation",
+ "person": "Isik",
+ "input_button": "Sisestusnupp",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logija",
+ "script": "Skript",
+ "fan": "Vent",
"scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Taimer",
- "local_calendar": "Kohalik kalender",
- "intent": "Intent",
- "device_tracker": "Seadme träkker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
- "home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
- "fan": "Ventilaator",
- "weather": "Ilm",
- "camera": "Kaamera",
"schedule": "Ajakava",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automatiseerimine",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Ilm",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Vestlus",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Tekstisisestuse abiline",
- "valve": "Ventiil",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Kliimaseade",
- "binary_sensor": "Binaarne andur",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assisti satelliit",
+ "automation": "Automatiseerimine",
+ "system_log": "System Log",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Ventiil",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Kohalik kalender",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Sireen",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Muruniiduk",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "auth": "Auth",
- "event": "Sündmus",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Seadme träkker",
+ "remote": "Kaugjuhtimispult",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Lüliti",
+ "persistent_notification": "Püsiv teavitus",
+ "vacuum": "Tolmuimeja",
+ "reolink": "Reolink",
+ "camera": "Kaamera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Püsiv teavitus",
- "trace": "Trace",
- "remote": "Kaugjuhtimispult",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Loendur",
- "filesize": "Filesize",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Arvväärtuse abiline",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi toiteallika kontroll",
+ "conversation": "Vestlus",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Kliimaseade",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Tõeväärtuse abiline",
- "lawn_mower": "Muruniiduk",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Sündmus",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Valvekeskuse juhtpaneel",
- "input_select": "Valikmenüü abiline",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobiilirakendus",
+ "timer": "Taimer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Lüliti",
+ "input_datetime": "Kuupäeva ja kellaaja abiline",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Loendur",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Rakenduse mandaadid",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Grupp",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostika",
- "person": "Isik",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Tekstisisestuse abiline",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Arvväärtuse abiline",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Rakenduse mandaadid",
- "siren": "Sireen",
- "bluetooth": "Bluetooth",
- "logger": "Logija",
- "input_button": "Sisestusnupp",
- "vacuum": "Tolmuimeja",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi toiteallika kontroll",
- "assist_satellite": "Assisti satelliit",
- "script": "Skript",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Kulutatud kalorid",
- "awakenings_count": "Ärkamiste arv",
- "battery_level": "Aku laetus",
- "bmi": "Kehamassi indeks",
- "body_fat": "Keharasv",
- "calories": "Kalorid",
- "calories_bmr": "Kaloreid BMR",
- "calories_in": "Kaloreid sisse",
- "floors": "Turnitud korrused",
- "minutes_after_wakeup": "Minutid pärast ärkamist",
- "minutes_fairly_active": "Minutid üsna aktiivsed",
- "minutes_lightly_active": "Minutid kergelt aktiivsed",
- "minutes_sedentary": "Minutid istuvas asendis",
- "minutes_very_active": "Väga aktiivsed minutid",
- "resting_heart_rate": "Südame löögisagedus puhkeolekus",
- "sleep_efficiency": "Une tõhusus",
- "sleep_minutes_asleep": "Uneminutid magades",
- "sleep_minutes_awake": "Uneminutid ärkvel",
- "sleep_minutes_to_fall_asleep_name": "Uneminutid magama jäämiseks",
- "sleep_start_time": "Une algusaeg",
- "sleep_time_in_bed": "Uneaeg voodis",
- "steps": "Sammud",
"battery_low": "Aku tühjeneb",
"cloud_connection": "Pilveühendus",
"humidity_warning": "Niiskuse hoiatus",
@@ -1676,6 +1663,7 @@
"alarm_source": "Häire allikas",
"auto_off_at": "Automaatne väljalülitus kell",
"available_firmware_version": "Saadaolev püsivara versioon",
+ "battery_level": "Aku laetus",
"this_month_s_consumption": "Selle kuu tarbimine",
"today_s_consumption": "Tänane tarbimine",
"total_consumption": "Tarbimine kokku",
@@ -1701,31 +1689,16 @@
"motion_sensor": "Liikumisandur",
"smooth_transitions": "Sujuvad üleminekud",
"tamper_detection": "Muukimise tuvastamine",
- "next_dawn": "Järgmine koidik",
- "next_dusk": "Järgmine hämarik",
- "next_midnight": "Järgmine kesköö",
- "next_noon": "Järgmine keskpäev",
- "next_rising": "Järgmine tõus",
- "next_setting": "Järgmine loojang",
- "solar_azimuth": "Päikese asimuut",
- "solar_elevation": "Päikese kõrgus",
- "solar_rising": "Päikese tõus",
- "day_of_week": "Nädalapäev",
- "illuminance": "Valgustatus",
- "noise": "Müra",
- "overload": "Ülekoormus",
- "working_location": "Töötamise koht",
- "created": "Loodud",
- "size": "Suurus",
- "size_in_bytes": "Suurus baitides",
- "compressor_energy_consumption": "Kompressori energiatarve",
- "compressor_estimated_power_consumption": "Kompressori hinnanguline energiatarve",
- "compressor_frequency": "Kompressori sagedus",
- "cool_energy_consumption": "Jahutuse energia tarbimine",
- "energy_consumption": "Energia tarbimine",
- "heat_energy_consumption": "Soojusenergia tarbimine",
- "inside_temperature": "Toa temperatuur",
- "outside_temperature": "Välistemperatuur",
+ "calibration": "Kalibreerimine",
+ "auto_lock_paused": "Automaatne lukustus peatatud",
+ "timeout": "Ajalõpp",
+ "unclosed_alarm": "Sulgemata häire",
+ "unlocked_alarm": "Lukustamata häire",
+ "bluetooth_signal": "Bluetoothi signaal",
+ "light_level": "Valgustatus",
+ "wi_fi_signal": "Wi-Fi signaal",
+ "momentary": "Hetkeline",
+ "pull_retract": "Välja/sisse",
"process_process": "Protsess {process}",
"disk_free_mount_point": "Vaba kettaruum {mount_point}",
"disk_use_mount_point": "Kettakasutus {mount_point}",
@@ -1744,34 +1717,75 @@
"swap_use": "Saalekirje kasutus",
"network_throughput_in_interface": "Võrgu läbilaskevõime alla {interface}",
"network_throughput_out_interface": "Võrgu läbilaskevõime üles {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Abiline töötab",
- "preferred": "Eelistatud",
- "finished_speaking_detection": "Rääkimise tuvastamine on lõpetatud",
- "aggressive": "Jõuline",
- "relaxed": "Leebe",
- "os_agent_version": "OS-i agendi versioon",
- "apparmor_version": "Apparmori versioon",
- "cpu_percent": "Protsessori kasutus",
- "disk_free": "Vaba kettaruum",
- "disk_total": "Kettaruum kokku",
- "disk_used": "Kasutatud kettaruum",
- "memory_percent": "Mälu protsent",
- "version": "Versioon",
- "newest_version": "Uusim versioon",
+ "day_of_week": "Nädalapäev",
+ "noise": "Müra",
+ "overload": "Ülekoormus",
+ "activity_calories": "Kulutatud kalorid",
+ "awakenings_count": "Ärkamiste arv",
+ "bmi": "Kehamassi indeks",
+ "body_fat": "Keharasv",
+ "calories": "Kalorid",
+ "calories_bmr": "Kaloreid BMR",
+ "calories_in": "Kaloreid sisse",
+ "floors": "Turnitud korrused",
+ "minutes_after_wakeup": "Minutid pärast ärkamist",
+ "minutes_fairly_active": "Minutid üsna aktiivsed",
+ "minutes_lightly_active": "Minutid kergelt aktiivsed",
+ "minutes_sedentary": "Minutid istuvas asendis",
+ "minutes_very_active": "Väga aktiivsed minutid",
+ "resting_heart_rate": "Südame löögisagedus puhkeolekus",
+ "sleep_efficiency": "Une tõhusus",
+ "sleep_minutes_asleep": "Uneminutid magades",
+ "sleep_minutes_awake": "Uneminutid ärkvel",
+ "sleep_minutes_to_fall_asleep_name": "Uneminutid magama jäämiseks",
+ "sleep_start_time": "Une algusaeg",
+ "sleep_time_in_bed": "Uneaeg voodis",
+ "steps": "Sammud",
"synchronize_devices": "Seadmete sünkroonimine",
- "estimated_distance": "Hinnanguline kaugus",
- "brand": "Tootja",
- "quiet": "Vaikne",
- "wake_word": "Äratussõna",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Automaatne võimendus",
+ "ding": "Kõll",
+ "last_recording": "Viimane salvestus",
+ "intercom_unlock": "Intercomi avamine",
+ "doorbell_volume": "Uksekella helitugevus",
"mic_volume": "Mikrofoni helitugevus",
- "noise_suppression_level": "Mürasummutusaste",
- "off": "Väljas",
- "mute": "Vaigista",
+ "voice_volume": "Hääle helitugevus",
+ "last_activity": "Viimane tegevus",
+ "last_ding": "Viimane kõll",
+ "last_motion": "Viimane liikumine",
+ "wi_fi_signal_category": "Wi-Fi signaali kategooria",
+ "wi_fi_signal_strength": "Wi-Fi signaali tugevus",
+ "in_home_chime": "Kodune helisignaal",
+ "compressor_energy_consumption": "Kompressori energiatarve",
+ "compressor_estimated_power_consumption": "Kompressori hinnanguline energiatarve",
+ "compressor_frequency": "Kompressori sagedus",
+ "cool_energy_consumption": "Jahutuse energia tarbimine",
+ "energy_consumption": "Energia tarbimine",
+ "heat_energy_consumption": "Soojusenergia tarbimine",
+ "inside_temperature": "Toa temperatuur",
+ "outside_temperature": "Välistemperatuur",
+ "device_admin": "Seadme administraator",
+ "kiosk_mode": "Kioski režiim",
+ "connected": "Ühendatud",
+ "load_start_url": "Käivitamise URL-i laadimine",
+ "restart_browser": "Taaskäivitage veebilehitsejs",
+ "restart_device": "Taaskäivita seade",
+ "send_to_background": "Saada taustale",
+ "bring_to_foreground": "Too esiplaanile",
+ "screenshot": "Kuvatõmmis",
+ "overlay_message": "Ülekattega sõnum",
+ "screen_brightness": "Ekraani heledus",
+ "screen_off_timer": "Ekraani väljalülitustaimer",
+ "screensaver_brightness": "Ekraanisäästja heledus",
+ "screensaver_timer": "Ekraanisäästja taimer",
+ "current_page": "Praegune lehekülg",
+ "foreground_app": "Esiplaanil olev rakendus",
+ "internal_storage_free_space": "Seesmine vaba salvestusruum",
+ "internal_storage_total_space": "Seesmine salvestusruum kokku",
+ "free_memory": "Vaba mälu",
+ "total_memory": "Mälu kokku",
+ "screen_orientation": "Ekraani suund",
+ "kiosk_lock": "Lukusta kioski režiim",
+ "maintenance_mode": "Hooldusrežiim",
+ "screensaver": "Ekraanisäästja",
"animal": "Loom",
"detected": "Tuvastatud",
"animal_lens": "Loomade tuvastamine 1",
@@ -1845,6 +1859,7 @@
"pir_sensitivity": "PIR tundlikkus",
"zoom": "Suumi",
"auto_quick_reply_message": "Automaatne kiirvastuse sõnum",
+ "off": "Väljas",
"auto_track_method": "Automaatse jälgimise meetod",
"digital": "Digitaalne",
"digital_first": "Esmalt digitaalne",
@@ -1895,7 +1910,6 @@
"ptz_pan_position": "PTZ panoraamimise asend",
"ptz_tilt_position": "PTZ kallutusasend",
"sd_hdd_index_storage": "SD {hdd_index} salvestusruum",
- "wi_fi_signal": "Wi-Fi signaal",
"auto_focus": "Autofookus",
"auto_tracking": "Automaatne jälgimine",
"doorbell_button_sound": "Uksekella helin",
@@ -1912,6 +1926,49 @@
"record": "Salvestus",
"record_audio": "Salvesta heli",
"siren_on_event": "Sireen sündmuse puhul",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Loodud",
+ "size": "Suurus",
+ "size_in_bytes": "Suurus baitides",
+ "assist_in_progress": "Abiline töötab",
+ "quiet": "Vaikne",
+ "preferred": "Eelistatud",
+ "finished_speaking_detection": "Rääkimise tuvastamine on lõpetatud",
+ "aggressive": "Jõuline",
+ "relaxed": "Leebe",
+ "wake_word": "Äratussõna",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS-i agendi versioon",
+ "apparmor_version": "Apparmori versioon",
+ "cpu_percent": "Protsessori kasutus",
+ "disk_free": "Vaba kettaruum",
+ "disk_total": "Kettaruum kokku",
+ "disk_used": "Kasutatud kettaruum",
+ "memory_percent": "Mälu protsent",
+ "version": "Versioon",
+ "newest_version": "Uusim versioon",
+ "auto_gain": "Automaatne võimendus",
+ "noise_suppression_level": "Mürasummutusaste",
+ "mute": "Vaigista",
+ "bytes_received": "Baite vastu võetud",
+ "server_country": "Serveri riik",
+ "server_id": "Serveri ID",
+ "server_name": "Serveri nimi",
+ "ping": "Ping",
+ "upload": "Üleslaadimine",
+ "bytes_sent": "Baite saadetud",
+ "working_location": "Töötamise koht",
+ "next_dawn": "Järgmine koidik",
+ "next_dusk": "Järgmine hämarik",
+ "next_midnight": "Järgmine kesköö",
+ "next_noon": "Järgmine keskpäev",
+ "next_rising": "Järgmine tõus",
+ "next_setting": "Järgmine loojang",
+ "solar_azimuth": "Päikese asimuut",
+ "solar_elevation": "Päikese kõrgus",
+ "solar_rising": "Päikese tõus",
"heavy": "Tugev",
"mild": "Kerge",
"button_down": "Nupp alla",
@@ -1926,75 +1983,255 @@
"warm_up": "Soojendamine",
"not_completed": "Lõpetamata",
"checking": "Kontrollimine",
- "closing": "Aknakate sulgub",
+ "closing": "Sulgub",
"failure": "Nurjumine",
- "ding": "Kõll",
- "last_recording": "Viimane salvestus",
- "intercom_unlock": "Intercomi avamine",
- "doorbell_volume": "Uksekella helitugevus",
- "voice_volume": "Hääle helitugevus",
- "last_activity": "Viimane tegevus",
- "last_ding": "Viimane kõll",
- "last_motion": "Viimane liikumine",
- "wi_fi_signal_category": "Wi-Fi signaali kategooria",
- "wi_fi_signal_strength": "Wi-Fi signaali tugevus",
- "in_home_chime": "Kodune helisignaal",
- "calibration": "Kalibreerimine",
- "auto_lock_paused": "Automaatne lukustus peatatud",
- "timeout": "Ajalõpp",
- "unclosed_alarm": "Sulgemata häire",
- "unlocked_alarm": "Lukustamata häire",
- "bluetooth_signal": "Bluetoothi signaal",
- "momentary": "Hetkeline",
- "pull_retract": "Välja/sisse",
- "bytes_received": "Baite vastu võetud",
- "server_country": "Serveri riik",
- "server_id": "Serveri ID",
- "server_name": "Serveri nimi",
- "ping": "Ping",
- "upload": "Üleslaadimine",
- "bytes_sent": "Baite saadetud",
- "device_admin": "Seadme administraator",
- "kiosk_mode": "Kioski režiim",
- "connected": "Ühendatud",
- "load_start_url": "Käivitamise URL-i laadimine",
- "restart_browser": "Taaskäivitage veebilehitsejs",
- "restart_device": "Taaskäivita seade",
- "send_to_background": "Saada taustale",
- "bring_to_foreground": "Too esiplaanile",
- "screenshot": "Kuvatõmmis",
- "overlay_message": "Ülekattega sõnum",
- "screen_brightness": "Ekraani heledus",
- "screen_off_timer": "Ekraani väljalülitustaimer",
- "screensaver_brightness": "Ekraanisäästja heledus",
- "screensaver_timer": "Ekraanisäästja taimer",
- "current_page": "Praegune lehekülg",
- "foreground_app": "Esiplaanil olev rakendus",
- "internal_storage_free_space": "Seesmine vaba salvestusruum",
- "internal_storage_total_space": "Seesmine salvestusruum kokku",
- "free_memory": "Vaba mälu",
- "total_memory": "Mälu kokku",
- "screen_orientation": "Ekraani suund",
- "kiosk_lock": "Lukusta kioski režiim",
- "maintenance_mode": "Hooldusrežiim",
- "screensaver": "Ekraanisäästja",
- "last_scanned_by_device_id_name": "Viimati skannitud seadme ID järgi",
- "tag_id": "Märgise ID",
- "managed_via_ui": "Hallatakse kasutajaliideses",
- "pattern": "Muster",
- "minute": "Minut",
- "second": "Sekund",
- "timestamp": "Ajamall",
- "paused": "Peatatud",
+ "estimated_distance": "Hinnanguline kaugus",
+ "brand": "Tootja",
+ "accelerometer": "Kiirendusandur",
+ "binary_input": "Binaarne sisend",
+ "calibrated": "Kalibreeritud",
+ "consumer_connected": "Tarbija on ühendatud",
+ "external_sensor": "Väline andur",
+ "frost_lock": "Külmumiskaitse",
+ "opened_by_hand": "Käsitsi avatud",
+ "heat_required": "Vajalik soojus",
+ "ias_zone": "IAS tsoon",
+ "linkage_alarm_state": "Ühenduse häire olek",
+ "mounting_mode_active": "Paigaldusrežiim aktiivne",
+ "open_window_detection_status": "Avatud akna tuvastamise olek",
+ "pre_heat_status": "Eelsoojenduse olek",
+ "replace_filter": "Vaheta filter",
+ "valve_alarm": "Klapi häire",
+ "open_window_detection": "Ava akna tuvastamine",
+ "feed": "Sööda",
+ "frost_lock_reset": "Külmumiskaitse lähtestamine",
+ "presence_status_reset": "Kohaloleku lähtestamine",
+ "reset_summation_delivered": "Lähtesta summeerimine edastatud",
+ "self_test": "Enesekontroll",
+ "keen_vent": "Terav ventilatsioon",
+ "fan_group": "Ventilaatorite rühm",
+ "light_group": "Valgustite rühm",
+ "door_lock": "Ukselukk",
+ "ambient_sensor_correction": "Keskkonnaanduri korrektsioon",
+ "approach_distance": "Lähenemiskaugus",
+ "automatic_switch_shutoff_timer": "Automaatne lüliti väljalülitamise taimer",
+ "away_preset_temperature": "Eemaloleku eelseadistatud temperatuur",
+ "boost_amount": "Suurendamise kogus",
+ "button_delay": "Nupu viivitus",
+ "local_default_dimming_level": "Kohalik vaikehämarduse tase",
+ "remote_default_dimming_level": "Kaugjuhtimise vaikehämarduse tase",
+ "default_move_rate": "Vaikimisi liikumiskiirus",
+ "detection_delay": "Tuvastamise viivitus",
+ "maximum_range": "Maksimaalne vahemik",
+ "minimum_range": "Minimaalne vahemik",
+ "detection_interval": "Tuvastamise intervall",
+ "local_dimming_down_speed": "Kohaliku juhtimisega alla hämardamise kiirus",
+ "remote_dimming_down_speed": "Kaugjuhtimisega alla hämardamise kiirus",
+ "local_dimming_up_speed": "Kohaliku juhtimisega üles hämardamise kiirus",
+ "remote_dimming_up_speed": "Kaugjuhtimisega üles hämardamise kiirus",
+ "display_activity_timeout": "Kuvamistegevuse ajalõpp",
+ "display_inactive_brightness": "Ekraani mitteaktiivne heledus",
+ "double_tap_down_level": "Topeltpuudutus allapoole nivoo",
+ "double_tap_up_level": "Topeltpuudutus ülespoole nivoo",
+ "exercise_start_time": "Treeningu algusaeg",
+ "external_sensor_correction": "Välise anduri korrektsioon",
+ "external_temperature_sensor": "Väline temperatuuriandur",
+ "fade_time": "Hääbumise aeg",
+ "fallback_timeout": "Varuaja aegumistähtaeg",
+ "filter_life_time": "Filtri eluiga",
+ "fixed_load_demand": "Fikseeritud koormusvajadus",
+ "frost_protection_temperature": "Külmumiskaitse temperatuur",
+ "irrigation_cycles": "Kastmistsükleid",
+ "irrigation_interval": "Kastmisintervall",
+ "irrigation_target": "Kastmise eesmärk",
+ "led_color_when_off_name": "Vaikimisi kõigi LED-ide värv väljalülitamisel",
+ "led_color_when_on_name": "Vaikimisi kõigi LED-ide värv sisselülitamisel",
+ "led_intensity_when_off_name": "Vaikimisi kõigi LED-ide intensiivsus väljalülitamisel",
+ "led_intensity_when_on_name": "Vaikimisi kõigi LED-ide intensiivsus sisselülitamisel",
+ "load_level_indicator_timeout": "Koormustaseme indikaatori ajalõpp",
+ "load_room_mean": "Laadimisruumi keskmine",
+ "local_temperature_offset": "Kohalik temperatuuri nihe",
+ "max_heat_setpoint_limit": "Maksimaalne soojuse seadeväärtuse piir",
+ "maximum_load_dimming_level": "Maksimaalne koormuse hämardamise tase",
+ "min_heat_setpoint_limit": "Minimaalne soojuse seadetemperatuuri piir",
+ "minimum_load_dimming_level": "Minimaalne koormuse hämardamise tase",
+ "off_led_intensity": "Väljas LEDi heledus",
+ "off_transition_time": "Väljalülitamise üleminekuaeg",
+ "on_led_intensity": "Sees LEDi heledus",
+ "on_level": "Tase sisselülitamisel",
+ "on_off_transition_time": "Sisse/välja ülemineku aeg",
+ "on_transition_time": "Üleminekuaeg sisselülitamisel",
+ "open_window_detection_guard_period_name": "Avatud akna tuvastamise valveperiood",
+ "open_window_detection_threshold": "Avatud akna tuvastamise künnis",
+ "open_window_event_duration": "Avatud akna sündmuse kestus",
+ "portion_weight": "Portsjoni kaal",
+ "presence_detection_timeout": "Kohaloleku tuvastamise ajalõpp",
+ "presence_sensitivity": "Kohaloleku tundlikkus",
+ "quick_start_time": "Kiire käivitamise aeg",
+ "ramp_rate_off_to_on_local_name": "Kohalik rambikiirus välja-sisse",
+ "ramp_rate_off_to_on_remote_name": "Kaugühenduse rambikiirus välja-sisse",
+ "ramp_rate_on_to_off_local_name": "Kohalik rambikiirus sisse-välja",
+ "ramp_rate_on_to_off_remote_name": "Kaugühenduse rambikiirus sisse-välja",
+ "regulation_setpoint_offset": "Reguleerimisväärtuse nihe",
+ "regulator_set_point": "Regulaatori seadepunkt",
+ "serving_to_dispense": "Esitamine väljastamiseks",
+ "siren_time": "Sireeni aeg",
+ "start_up_color_temperature": "Käivitamise värvitemperatuur",
+ "start_up_current_level": "Käivitusvoolu tase",
+ "start_up_default_dimming_level": "Vaikehämarduse tase",
+ "timer_duration": "Taimeri kestus",
+ "timer_time_left": "Taimeri aega on jäänud",
+ "transmit_power": "Saatevõimsus",
+ "valve_closing_degree": "Klapi sulgemisaste",
+ "irrigation_time": "Kastmisaeg 2",
+ "valve_opening_degree": "Klapi avanemisaste",
+ "adaptation_run_command": "Kohanemise käivitamise käsk",
+ "backlight_mode": "Taustvalgustuse režiim",
+ "click_mode": "Klõpsurežiim",
+ "control_type": "Kontrolli tüüp",
+ "decoupled_mode": "Lahutatud režiim",
+ "default_siren_level": "Sireeni vaiketase",
+ "default_siren_tone": "Sireeni vaiketoon",
+ "default_strobe": "Vaikimisi vilkumine",
+ "default_strobe_level": "Vaikimisi vilkumise tase",
+ "detection_distance": "Tuvastuskaugus",
+ "detection_sensitivity": "Tuvastamise tundlikkus",
+ "exercise_day_of_week_name": "Nädala treeningpäev",
+ "external_temperature_sensor_type": "Välise temperatuurianduri tüüp",
+ "external_trigger_mode": "Väline päästikurežiim",
+ "heat_transfer_medium": "Soojusülekande tüüp",
+ "heating_emitter_type": "Küttekeha tüüp",
+ "heating_fuel": "Kütteaine",
+ "non_neutral_output": "Ilma neutraalita väljund",
+ "irrigation_mode": "Kastmisrežiim",
+ "keypad_lockout": "Klahvistiku lukustus",
+ "dimming_mode": "Hämardamisrežiim",
+ "led_scaling_mode": "LED-skaleerimise režiim",
+ "local_temperature_source": "Kohalik temperatuuriallikas",
+ "monitoring_mode": "Jälgimisrežiim",
+ "off_led_color": "Väljas LEDi värv",
+ "on_led_color": "Sees LEDIi värv",
+ "operation_mode": "Töörežiim",
+ "output_mode": "Väljundrežiim",
+ "power_on_state": "Sisselülitatud olek",
+ "regulator_period": "Regulaatori periood",
+ "sensor_mode": "Anduri režiim",
+ "setpoint_response_time": "Seadepunkti reaktsiooniaeg",
+ "smart_fan_led_display_levels_name": "Nutika ventilaatori LED-ekraani tasemed",
+ "start_up_behavior": "Käitumine käivitamisel",
+ "switch_mode": "Lüliti režiim",
+ "switch_type": "Lüliti tüüp",
+ "thermostat_application": "Termostaadi rakendus",
+ "thermostat_mode": "Termostaadi režiim",
+ "valve_orientation": "Klapi orientatsioon",
+ "viewing_direction": "Vaatamise suund",
+ "weather_delay": "Ilmateate viivitus",
+ "curtain_mode": "Kardina režiim",
+ "ac_frequency": "Vahelduvvoolu sagedus",
+ "adaptation_run_status": "Kohanemise olek",
+ "in_progress": "Käimas",
+ "run_successful": "Käivitus oli edukas",
+ "valve_characteristic_lost": "Klapi karakteristikud on kadunud",
+ "analog_input": "Analoogsisend",
+ "control_status": "Kontrolli olek",
+ "device_run_time": "Seadme tööaeg",
+ "device_temperature": "Seadme temperatuur",
+ "target_distance": "Sihtkaugus",
+ "filter_run_time": "Filtri tööaeg",
+ "formaldehyde_concentration": "Formaldehüüdi kontsentratsioon",
+ "hooks_state": "Haakide olek",
+ "hvac_action": "Kliimaseadme töörežiim",
+ "instantaneous_demand": "Hetkeline nõudlus",
+ "internal_temperature": "Sisetemperatuur",
+ "irrigation_duration": "Kastmise kestus 1",
+ "last_irrigation_duration": "Viimase kastmise kestus",
+ "irrigation_end_time": "Kastmise lõpuaeg",
+ "irrigation_start_time": "Kastmise algusaeg",
+ "last_feeding_size": "Viimase söötmise suurus",
+ "last_feeding_source": "Viimane söötmise allikas",
+ "last_illumination_state": "Viimane valgustusolek",
+ "last_valve_open_duration": "Viimane ventiili avamise kestus",
+ "leaf_wetness": "Lehtede niiskus",
+ "load_estimate": "Hinnanguline koormus",
+ "floor_temperature": "Põrandatemperatuur",
+ "lqi": "LQI",
+ "motion_distance": "Liikumiskaugus",
+ "motor_stepcount": "Mootori sammude arv",
+ "open_window_detected": "Tuvastati avatud aken",
+ "overheat_protection": "Ülekuumenemise kaitse",
+ "pi_heating_demand": "Pi küttevajadus",
+ "portions_dispensed_today": "Täna väljastatud osad",
+ "pre_heat_time": "Eelsoojenduse aeg",
+ "rssi": "RSSI",
+ "self_test_result": "Enesetesti tulemus",
+ "setpoint_change_source": "Seadepunkti muutmise allikas",
+ "smoke_density": "Suitsu tihedus",
+ "software_error": "Tarkvara viga",
+ "good": "Hea",
+ "critical_low_battery": "Kriitiliselt tühi aku",
+ "encoder_jammed": "Kodeerija takerdus",
+ "invalid_clock_information": "Sobimatu kella teave",
+ "invalid_internal_communication": "Kehtetu sisekommunikatsioon",
+ "low_battery": "Madal akutase",
+ "motor_error": "Mootori viga",
+ "non_volatile_memory_error": "Püsimälu viga",
+ "radio_communication_error": "Raadioside viga",
+ "side_pcb_sensor_error": "Külgmise PCB anduri viga",
+ "top_pcb_sensor_error": "Ülemise PCB anduri viga",
+ "unknown_hw_error": "Tundmatu riistvaraline viga",
+ "soil_moisture": "Mulla niiskus",
+ "summation_delivered": "Esitatud kokkuvõte",
+ "summation_received": "Kokkuvõte saadud",
+ "tier_summation_delivered": "6. taseme summeerimine on esitatud",
+ "timer_state": "Taimeri olek",
+ "time_left": "Jäänud aeg",
+ "weight_dispensed_today": "Täna mõõdetud kaal",
+ "window_covering_type": "Aknakatte tüüp",
+ "adaptation_run_enabled": "Kohanemiskäivitus on lubatud",
+ "aux_switch_scenes": "Lisalüliti stseenid",
+ "binding_off_to_on_sync_level_name": "Sidumine sünkroonimistasemega",
+ "buzzer_manual_alarm": "Sumisti häire käsitsi",
+ "buzzer_manual_mute": "Sumisti käsitsi vaigistamine",
+ "detach_relay": "Lahuta relee",
+ "disable_clear_notifications_double_tap_name": "Märguannete kustutamiseks keela topeltklõpsu seadistus",
+ "disable_led": "Keela LED",
+ "double_tap_down_enabled": "Topeltklõps allapoole lubatud",
+ "double_tap_up_enabled": "Topeltklõps ülespoole lubatud",
+ "double_up_full_name": "Topeltpuuduta nuppu - täielik",
+ "enable_siren": "Luba sireen",
+ "external_window_sensor": "Väline aknaandur",
+ "distance_switch": "Kauguse lüliti",
+ "firmware_progress_led": "Püsivara edenemise LED",
+ "heartbeat_indicator": "Heartbeat märgutuli",
+ "heat_available": "Saadaval olev soojus",
+ "hooks_locked": "Haagid on suletud",
+ "invert_switch": "Tagurpidi lüliti",
+ "inverted": "Ümberpööratud",
+ "led_indicator": "LED märgutuli",
+ "linkage_alarm": "Sidumise häire",
+ "local_protection": "Kohalik kaitse",
+ "mounting_mode": "Paigaldusrežiim",
+ "only_led_mode": "Ainult 1 LED-režiim",
+ "open_window": "Avatud aken",
+ "power_outage_memory": "Voolukatkestuse mälu",
+ "prioritize_external_temperature_sensor": "Eelista välist temperatuuriandurit",
+ "relay_click_in_on_off_mode_name": "Keela relee klõps sisse-välja režiimis",
+ "smart_bulb_mode": "Nutipirni režiim",
+ "smart_fan_mode": "Nutikas ventilaatori režiim",
+ "led_trigger_indicator": "LED päästiku indikaator",
+ "turbo_mode": "Turborežiim",
+ "use_internal_window_detection": "Kasuta sisemist aknatuvastust",
+ "use_load_balancing": "Kasuta koormuse tasakaalustamist",
+ "valve_detection": "Klapi tuvastamine",
+ "window_detection": "Akna tuvastamine",
+ "invert_window_detection": "Inverteeri akna tuvastamine",
+ "available_tones": "Saadaolevad elid",
"device_trackers": "Seadmete jälgijad",
"gps_accuracy": "GPS-i täpsus",
- "finishes_at": "Lõppeb",
- "remaining": "Jäänud",
- "restore": "Taasta",
"last_reset": "Viimatine lähtestamine",
"possible_states": "Võimalikud olekud",
"state_class": "Oleku klass",
- "value": "Väärtus",
+ "payload": "Väärtus",
"total_increasing": "Kasvav summa",
"apparent_power": "Näiv võimsus",
"air_quality_index": "Õhukvaliteedi indeks",
@@ -2021,78 +2258,12 @@
"sound_pressure": "Helirõhk",
"speed": "Kiirus",
"sulphur_dioxide": "Vääveldioksiid",
+ "timestamp": "Ajamall",
"vocs": "Lenduvad orgaanilised ühendid",
"volume_flow_rate": "Vooluhulk",
"stored_volume": "Salvestatud maht",
"weight": "Kaal",
- "cool": "Jahuta",
- "fan_only": "Ventileeri",
- "heat_cool": "Küta/jahuta",
- "aux_heat": "Lisaküte",
- "current_humidity": "Praegune niiskus",
- "current_temperature": "Current Temperature",
- "fan_mode": "Ventilaatori režiim",
- "diffuse": "Hajuta",
- "middle": "Kiire",
- "top": "Suurim",
- "cooling": "Jahutus",
- "defrosting": "Sulatamine",
- "drying": "Kuivatus",
- "preheating": "Eelsoojendus",
- "max_target_humidity": "Max sihtniiskus",
- "max_target_temperature": "Max sihttemperatuur",
- "min_target_humidity": "Min sihtniiskus",
- "min_target_temperature": "Min sihttemperatuur",
- "boost": "Turbo",
- "comfort": "Mugav",
- "eco": "Öko",
- "sleep": "Uneaeg",
- "presets": "Eelseaded",
- "horizontal_swing_mode": "Horisontaalne õõtsumisrežiim",
- "swing_mode": "Õõtsumise režiim",
- "both": "Mõlemad",
- "horizontal": "Horisontaalne",
- "upper_target_temperature": "Kõrgeim sihttemperatuur",
- "lower_target_temperature": "Madalaim sihttemperatuur",
- "target_temperature_step": "Sihttemperatuuri samm",
- "step": "Nihe",
- "not_charging": "Ei lae",
- "unplugged": "Lahti ühendatud",
- "hot": "Palav",
- "no_light": "Valgus puudub",
- "light_detected": "Valgus tuvastatud",
- "locked": "Lukus",
- "unlocked": "Lahti",
- "not_moving": "Ei liigu",
- "not_running": "Ei tööta",
- "safe": "Ohutu",
- "unsafe": "Ohtlik",
- "tampering_detected": "Tuvastati loata avamine",
- "box": "Kast",
- "above_horizon": "Tõusnud",
- "below_horizon": "Loojunud",
- "buffering": "Puhverdamine",
- "playing": "Mängib",
- "app_id": "Rakenduse ID",
- "local_accessible_entity_picture": "Kohalikult juurdepääsetav olemi pilt",
- "group_members": "Rühma liikmed",
- "muted": "Vaigistatud",
- "album_artist": "Albumi esitaja",
- "content_id": "Sisu ID",
- "content_type": "Sisu tüüp",
- "channels": "Kanalid",
- "position_updated": "Positsioon värskendatud",
- "series": "Seeria",
- "all": "Kõik",
- "one": "Üks kord",
- "available_sound_modes": "Saadaolevad helirežiimid",
- "available_sources": "Saadaolevad allikad",
- "receiver": "Vastuvõtja",
- "speaker": "Kõlar",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Ruuter",
+ "managed_via_ui": "Hallatakse kasutajaliideses",
"color_mode": "Color Mode",
"brightness_only": "Ainult heledus",
"hs": "HS",
@@ -2108,13 +2279,33 @@
"minimum_color_temperature_kelvin": "Minimaalne värvitemperatuur (Kelvinites)",
"minimum_color_temperature_mireds": "Minimaalne värvitemperatuur (miredites)",
"available_color_modes": "Saadaolevad värvirežiimid",
- "available_tones": "Saadaolevad elid",
"docked": "Dokitud",
"mowing": "Niitmine",
+ "paused": "Peatatud",
"returning": "Tagasitulek",
+ "pattern": "Muster",
+ "running_automations": "Töötavad automaatiseeringud",
+ "max_running_scripts": "Korraga töötavaid skripte",
+ "run_mode": "Käitusrežiim",
+ "parallel": "Samaaegselt",
+ "queued": "Ajastatud",
+ "single": "Ühekordne",
+ "auto_update": "Automaatne värskendamine",
+ "installed_version": "Paigaldatud versioon",
+ "release_summary": "Väljalaske kokkuvõte",
+ "release_url": "Väljalaske URL",
+ "skipped_version": "Vahelejäetud versioon",
+ "firmware": "Püsivara",
"oscillating": "Võnkuv",
"speed_step": "Kiiruse samm",
"available_preset_modes": "Saadaolevad eelseadistatud režiimid",
+ "minute": "Minut",
+ "second": "Sekund",
+ "next_event": "Järgmine sündmus",
+ "step": "Nihe",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Ruuter",
"clear_night": "Selge öö",
"cloudy": "Pilves",
"exceptional": "Ohtlikud olud",
@@ -2137,24 +2328,9 @@
"uv_index": "UV-indeks",
"wind_bearing": "Tuule suund",
"wind_gust_speed": "Tuulepuhangu kiirus",
- "auto_update": "Automaatne värskendamine",
- "in_progress": "Käimas",
- "installed_version": "Paigaldatud versioon",
- "release_summary": "Väljalaske kokkuvõte",
- "release_url": "Väljalaske URL",
- "skipped_version": "Vahelejäetud versioon",
- "firmware": "Püsivara",
- "armed_away": "Valves eemal",
- "armed_custom_bypass": "Valves, eranditega",
- "armed_home": "Valves kodus",
- "armed_night": "Valves öine",
- "armed_vacation": "Valvestatud puhkuse režiimis",
- "triggered": "Häires",
- "changed_by": "Muutis",
- "code_for_arming": "Valvestamise kood",
- "not_required": "Pole nõutud",
- "code_format": "Koodi vorming",
"identify": "Tuvasta",
+ "purge": "Puhastamine",
+ "returning_to_dock": "Pöördun tagasi laadimisjaama",
"recording": "Salvestab",
"streaming": "Voogedastab",
"access_token": "Juurdepääsutõend",
@@ -2162,92 +2338,133 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Mudel",
+ "last_scanned_by_device_id_name": "Viimati skannitud seadme ID järgi",
+ "tag_id": "Märgise ID",
+ "box": "Kast",
+ "locked": "Lukus",
+ "unlocked": "Lahti",
+ "changed_by": "Muutis",
+ "code_format": "Koodi vorming",
+ "members": "Liikmed",
+ "listening": "Kuulamine",
+ "processing": "Töötlemine",
+ "responding": "Vastamine",
+ "id": "ID",
+ "max_running_automations": "Maksimaalselt samaaegseid",
+ "cool": "Jahuta",
+ "fan_only": "Ventileeri",
+ "heat_cool": "Küta/jahuta",
+ "aux_heat": "Lisaküte",
+ "current_humidity": "Praegune niiskus",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Ventilaatori režiim",
+ "diffuse": "Hajuta",
+ "middle": "Kiire",
+ "top": "Suurim",
+ "cooling": "Jahutus",
+ "defrosting": "Sulatamine",
+ "drying": "Kuivatus",
+ "heating": "Küte",
+ "preheating": "Eelsoojendus",
+ "max_target_humidity": "Max sihtniiskus",
+ "max_target_temperature": "Max sihttemperatuur",
+ "min_target_humidity": "Min sihtniiskus",
+ "min_target_temperature": "Min sihttemperatuur",
+ "boost": "Turbo",
+ "comfort": "Mugav",
+ "eco": "Öko",
+ "sleep": "Uneaeg",
+ "presets": "Eelseaded",
+ "horizontal_swing_mode": "Horisontaalne õõtsumisrežiim",
+ "swing_mode": "Õõtsumise režiim",
+ "both": "Mõlemad",
+ "horizontal": "Horisontaalne",
+ "upper_target_temperature": "Kõrgeim sihttemperatuur",
+ "lower_target_temperature": "Madalaim sihttemperatuur",
+ "target_temperature_step": "Sihttemperatuuri samm",
+ "garage": "Garaaž",
+ "not_charging": "Ei lae",
+ "unplugged": "Lahti ühendatud",
+ "hot": "Palav",
+ "no_light": "Valgus puudub",
+ "light_detected": "Valgus tuvastatud",
+ "not_moving": "Ei liigu",
+ "not_running": "Ei tööta",
+ "safe": "Ohutu",
+ "unsafe": "Ohtlik",
+ "tampering_detected": "Tuvastati loata avamine",
+ "buffering": "Puhverdamine",
+ "playing": "Mängib",
+ "app_id": "Rakenduse ID",
+ "local_accessible_entity_picture": "Kohalikult juurdepääsetav olemi pilt",
+ "group_members": "Rühma liikmed",
+ "muted": "Vaigistatud",
+ "album_artist": "Albumi esitaja",
+ "content_id": "Sisu ID",
+ "content_type": "Sisu tüüp",
+ "channels": "Kanalid",
+ "position_updated": "Positsioon värskendatud",
+ "series": "Seeria",
+ "all": "Kõik",
+ "one": "Üks kord",
+ "available_sound_modes": "Saadaolevad helirežiimid",
+ "available_sources": "Saadaolevad allikad",
+ "receiver": "Vastuvõtja",
+ "speaker": "Kõlar",
+ "tv": "TV",
"end_time": "Lõpuaeg",
"start_time": "Algusaeg",
- "next_event": "Järgmine sündmus",
- "garage": "Garaaž",
"event_type": "Sündmuse tüüp",
"event_types": "Sündmuste tüübid",
"doorbell": "Uksekell",
- "running_automations": "Töötavad automaatiseeringud",
- "id": "ID",
- "max_running_automations": "Maksimaalselt samaaegseid",
- "run_mode": "Käitusrežiim",
- "parallel": "Samaaegselt",
- "queued": "Ajastatud",
- "single": "Ühekordne",
- "purge": "Puhastamine",
- "returning_to_dock": "Pöördun tagasi laadimisjaama",
- "listening": "Kuulamine",
- "processing": "Töötlemine",
- "responding": "Vastamine",
- "max_running_scripts": "Korraga töötavaid skripte",
- "members": "Liikmed",
- "known_hosts": "Tuntud hostid",
- "google_cast_configuration": "Google Casti sätted",
- "confirm_description": "Kas seadistada {name} ?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Kasutaja on juba seadistatud",
- "abort_already_in_progress": "Seadistamine on juba käimas",
- "failed_to_connect": "Ühendamine nurjus",
- "invalid_access_token": "Vigane juurdepääsutõend",
- "invalid_authentication": "Tuvastamine nurjus",
- "received_invalid_token_data": "Saadi sobimatud loaandmed.",
- "abort_oauth_failed": "Tõrge juurdepääsutõendi hankimisel.",
- "timeout_resolving_oauth_token": "OAuthi loa lahendamise ajalõpp.",
- "abort_oauth_unauthorized": "OAuthi tuvastaimisviga juurdepääsutõendi hankimisel.",
- "re_authentication_was_successful": "Taastuvastamine õnnestus",
- "unexpected_error": "Ootamatu tõrge",
- "successfully_authenticated": "Tuvastamine õnnestus",
- "link_fitbit": "Ühenda Fitbit",
- "pick_authentication_method": "Vali tuvastusmeetod",
- "authentication_expired_for_name": "{name} autentimine aegus",
+ "above_horizon": "Tõusnud",
+ "below_horizon": "Loojunud",
+ "armed_away": "Valves eemal",
+ "armed_custom_bypass": "Valves, eranditega",
+ "armed_home": "Valves kodus",
+ "armed_night": "Valves öine",
+ "armed_vacation": "Valvestatud puhkuse režiimis",
+ "triggered": "Häires",
+ "code_for_arming": "Valvestamise kood",
+ "not_required": "Pole nõutud",
+ "finishes_at": "Lõppeb",
+ "remaining": "Jäänud",
+ "restore": "Taasta",
"device_is_already_configured": "Seade on juba häälestatud",
+ "failed_to_connect": "Ühendamine nurjus",
"abort_no_devices_found": "Võrgust ei leitud seadmeid",
+ "re_authentication_was_successful": "Taastuvastamine õnnestus",
"re_configuration_was_successful": "Ümberseadistamine õnnestus",
"connection_error_error": "Ühendamine nurjus: {error}",
"unable_to_authenticate_error": "Tuvastamine nurjus: {error}",
"camera_stream_authentication_failed": "Kaamera voo autentimine nurjus",
"name_model_host": "{name} {model} ( {host} )",
"enable_camera_live_view": "Luba kaamera otsevaade",
- "username": "Kasutajanimi",
+ "username": "Username",
"camera_auth_confirm_description": "Sisesta seadme kaamera konto identimisteave.",
"set_camera_account_credentials": "Kaamerakonto volituste määramine",
+ "authentication_expired_for_name": "{name} autentimine aegus",
"host": "Host",
"reconfigure_description": "Värskenda seadme {mac} sätteid",
"reconfigure_tplink_entry": "TPLinki kirje uuesti seadistamine",
"abort_single_instance_allowed": "Juba seadistatud. Võimalik on ainult üks seadistamine.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Kas soovid seadistada SpeedTesti?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Viga SwitchBot API-ga suhtlemisel: {error_detail}",
+ "unsupported_switchbot_type": "Toetamata Switchboti tüüp.",
+ "authentication_failed_error_detail": "Tuvastamine nurjus: {error_detail}",
+ "error_encryption_key_invalid": "Võtme ID või krüptovõti on sobimatu",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Kas soovid seadistada teenust {name} ?",
+ "switchbot_account_recommended": "SwitchBoti konto (soovitatav)",
+ "enter_encryption_key_manually": "Sisesta krüptovõti käsitsi",
+ "encryption_key": "Krüptimisvõti",
+ "key_id": "Võtme ID",
+ "password_description": "Salasõna, millega varukoopiat kaitsta.",
+ "mac_address": "MAC-aadress",
"service_is_already_configured": "Teenus on juba seadistatud",
- "invalid_ics_file": "Kehtetu .ics-fail",
- "calendar_name": "Kalendri nimi",
- "starting_data": "Lähteandmed",
+ "abort_already_in_progress": "Seadistamine on juba käimas",
"abort_invalid_host": "Vigane hostinimi või IP aadress",
"device_not_supported": "Seadet ei toetata",
+ "invalid_authentication": "Tuvastamine nurjus",
"error_invalid_host": "Sobimatu hostinimi või IP-aadress",
"name_model_at_host": "{name} ( {model} asukohas {host} )",
"authenticate_to_the_device": "Seadme autentimine",
@@ -2256,65 +2473,27 @@
"yes_do_it": "Jah, tee seda.",
"unlock_the_device_optional": "Seadme lukustuse eemaldamine (valikuline)",
"connect_to_the_device": "Ühendu seadmega",
- "abort_missing_credentials": "Sidumine nõuab rakenduse volitusi.",
- "timeout_establishing_connection": "Ühenduse loomise ajalõpp",
- "link_google_account": "Google'i konto linkimine",
- "path_is_not_allowed": "Kirje asukoht on keelatud",
- "path_is_not_valid": "Kirjet ei leitud",
- "path_to_file": "Kirje asukoht",
- "api_key": "API võti",
- "configure_daikin_ac": "Seadista Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Vali seadistamiseks Bluetooth-adapter",
- "arm_away_action": "Valvesta eemal toiming",
- "arm_custom_bypass_action": "Kohandatud möödaviigu toiming",
- "arm_home_action": "Valvesta kodusl toiming",
- "arm_night_action": "Öise valvestuse toiming",
- "arm_vacation_action": "Valvesta puhkuse režiimis toiming",
- "code_arm_required": "Vajalik on koodiga valvestamine",
- "disarm_action": "Valvest maha toiming",
- "trigger_action": "Käivita toiming",
- "value_template": "Väärtuse mall",
- "template_alarm_control_panel": "Malliga alarmi juhtpaneel",
- "device_class": "Seadme klass",
- "state_template": "Oleku mall",
- "template_binary_sensor": "Binaarse anduri mall",
- "actions_on_press": "Toiming vajutusel",
- "template_button": "Malli nupp",
- "verify_ssl_certificate": "Kontrolli SSL sertifikaati",
- "template_image": "Pildi mall",
- "actions_on_set_value": "Toimingud seatud väärtusele",
- "step_value": "Sammu väärtus",
- "template_number": "Malli number",
- "available_options": "Saadaolevad valikud",
- "actions_on_select": "Valitavad toimingud",
- "template_select": "Malli valimine",
- "template_sensor": "Malli andur",
- "actions_on_turn_off": "Toimingud mida välja lülitada",
- "actions_on_turn_on": "Toimingud mida sisse lülitada",
- "template_switch": "Malliga lüliti",
- "menu_options_alarm_control_panel": "Alarmi juhtpaneeli mall",
- "template_a_button": "Nupu mallimine",
- "template_an_image": "Kujutise malli loomine",
- "template_a_number": "Numbri mall",
- "template_a_sensor": "Anduri mall",
- "template_helper": "Malli abimees",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Kasutaja on juba seadistatud",
+ "invalid_access_token": "Vigane juurdepääsutõend",
+ "received_invalid_token_data": "Saadi sobimatud loaandmed.",
+ "abort_oauth_failed": "Tõrge juurdepääsutõendi hankimisel.",
+ "timeout_resolving_oauth_token": "OAuthi loa lahendamise ajalõpp.",
+ "abort_oauth_unauthorized": "OAuthi tuvastaimisviga juurdepääsutõendi hankimisel.",
+ "successfully_authenticated": "Tuvastamine õnnestus",
+ "link_fitbit": "Ühenda Fitbit",
+ "pick_authentication_method": "Vali tuvastusmeetod",
+ "two_factor_code": "Kaheastmeline autentimiskood",
+ "two_factor_authentication": "Kaheastmeline tuvastamine (2FA)",
+ "reconfigure_ring_integration": "Ringi sidumise taasseadistamine",
+ "sign_in_with_ring_account": "Logi sisse Ringi kontoga",
+ "abort_alternative_integration": "Seadet toetab paremini teine sidumine",
+ "abort_incomplete_config": "Seadetes puudub nõutav muutuja",
+ "manual_description": "Seadme kirjelduse XML-faili URL",
+ "manual_title": "DLNA DMR seadme käsitsi ühendamine",
+ "discovered_dlna_dmr_devices": "Avastatud DLNA DMR-seadmed",
+ "broadcast_address": "Saateaadress",
+ "broadcast_port": "Saateport",
"abort_addon_info_failed": "Lisandmooduli {addon} teabe hankimine nurjus.",
"abort_addon_install_failed": "Lisandmooduli {addon} paigaldamine nurjus.",
"abort_addon_start_failed": "Lisandmooduli {addon} käivitamine nurjus.",
@@ -2341,48 +2520,48 @@
"starting_add_on": "Lisandmooduli käivitamine",
"menu_options_addon": "Kasuta ametlikku lisandmoodulit {addon}.",
"menu_options_broker": "Sisesta käsitsi MQTT maakleri ühenduse üksikasjad",
- "bridge_is_already_configured": "Lüüs on juba häälestatud",
- "no_deconz_bridges_discovered": "DeCONZ lüüse ei leitud",
- "abort_no_hardware_available": "DeCONZi raadio riistvara puudub",
- "abort_updated_instance": "DeCONZ-i eksemplarile omistati uus hostiaadress",
- "error_linking_not_possible": "Ühendus lüüsiga nurjus",
- "error_no_key": "API võtit ei leitud",
- "link_with_deconz": "Ühenda deCONZ-iga",
- "select_discovered_deconz_gateway": "Vali avastatud deCONZ lüüs",
- "pin_code": "PIN kood",
- "discovered_android_tv": "Avastatud Android TV",
- "abort_mdns_missing_mac": "MDNS-i atribuutides puudub MAC-aadress.",
- "abort_mqtt_missing_api": "MQTT atribuutides puudub API-port.",
- "abort_mqtt_missing_ip": "MQTT atribuutides puudub IP-aadress.",
- "abort_mqtt_missing_mac": "MQTT atribuutides puudub MAC-aadress.",
- "missing_mqtt_payload": "Puudub MQTT väärtus.",
- "action_received": "Saadud teenus",
- "discovered_esphome_node": "Avastastud ESPHome'i sõlm",
- "encryption_key": "Krüptimisvõti",
- "no_port_for_endpoint": "Lõpp-punkti jaoks puudub port",
- "abort_no_services": "Lõpp-punktis teenuseid ei leitud",
- "discovered_wyoming_service": "Avastatud Wyomingi teenus",
- "abort_alternative_integration": "Seadet toetab paremini teine sidumine",
- "abort_incomplete_config": "Seadetes puudub nõutav muutuja",
- "manual_description": "Seadme kirjelduse XML-faili URL",
- "manual_title": "DLNA DMR seadme käsitsi ühendamine",
- "discovered_dlna_dmr_devices": "Avastatud DLNA DMR-seadmed",
+ "api_key": "API võti",
+ "configure_daikin_ac": "Seadista Daikin AC",
+ "cannot_connect_details_error_detail": "Ühendamine nurjus. Üksikasjad: {error_detail}",
+ "unknown_details_error_detail": "Teadmata. Üksikasjad: {error_detail}",
+ "uses_an_ssl_certificate": "Kasutab SSL sertifikaati",
+ "verify_ssl_certificate": "Kontrolli SSL sertifikaati",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "confirm_hardware_description": "Kas seadistada {name} ?",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Vali seadistamiseks Bluetooth-adapter",
"api_error_occurred": "Ilmnes API tõrge",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Luba HTTPS",
- "broadcast_address": "Saateaadress",
- "broadcast_port": "Saateport",
- "mac_address": "MAC-aadress",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Norra ilmateenistus",
- "ipv_is_not_supported": "IPv6 ei ole toetatud.",
- "error_custom_port_not_supported": "Gen1 seade ei toeta kohandatud porti.",
- "two_factor_code": "Kaheastmeline autentimiskood",
- "two_factor_authentication": "Kaheastmeline tuvastamine (2FA)",
- "reconfigure_ring_integration": "Ringi sidumise taasseadistamine",
- "sign_in_with_ring_account": "Logi sisse Ringi kontoga",
+ "timeout_establishing_connection": "Ühenduse loomise ajalöpp",
+ "link_google_account": "Google'i konto linkimine",
+ "path_is_not_allowed": "Kirje asukoht on keelatud",
+ "path_is_not_valid": "Kirjet ei leitud",
+ "path_to_file": "Kirje asukoht",
+ "pin_code": "PIN kood",
+ "discovered_android_tv": "Avastatud Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "Kõik olemid",
"hide_members": "Peida grupi liikmed",
"create_group": "Loo grupp",
+ "device_class": "Device Class",
"ignore_non_numeric": "Eira mittenumbrilisi",
"data_round_digits": "Ümarda komakohani",
"type": "Tüüp",
@@ -2390,29 +2569,199 @@
"button_group": "Nuppude rühm",
"cover_group": "Aknakatete rühm",
"event_group": "Sündmuse grupp",
- "fan_group": "Ventilaatorite rühm",
- "light_group": "Valgustite rühm",
"lock_group": "Lukusta grupp",
"media_player_group": "Meediumipleieri rühm",
"notify_group": "Teavita gruppi",
"sensor_group": "Andurite grupp",
"switch_group": "Grupi vahetamine",
- "abort_api_error": "Viga SwitchBot API-ga suhtlemisel: {error_detail}",
- "unsupported_switchbot_type": "Toetamata Switchboti tüüp.",
- "authentication_failed_error_detail": "Tuvastamine nurjus: {error_detail}",
- "error_encryption_key_invalid": "Võtme ID või krüptovõti on sobimatu",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBoti konto (soovitatav)",
- "enter_encryption_key_manually": "Sisesta krüptovõti käsitsi",
- "key_id": "Võtme ID",
- "password_description": "Salasõna, millega varukoopiat kaitsta.",
- "device_address": "Seadme aadress",
- "cannot_connect_details_error_detail": "Ühendamine nurjus. Üksikasjad: {error_detail}",
- "unknown_details_error_detail": "Teadmata. Üksikasjad: {error_detail}",
- "uses_an_ssl_certificate": "Kasutab SSL sertifikaati",
+ "known_hosts": "Tuntud hostid",
+ "google_cast_configuration": "Google Casti sätted",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "MDNS-i atribuutides puudub MAC-aadress.",
+ "abort_mqtt_missing_api": "MQTT atribuutides puudub API-port.",
+ "abort_mqtt_missing_ip": "MQTT atribuutides puudub IP-aadress.",
+ "abort_mqtt_missing_mac": "MQTT atribuutides puudub MAC-aadress.",
+ "missing_mqtt_payload": "Puudub MQTT väärtus.",
+ "action_received": "Saadud teenus",
+ "discovered_esphome_node": "Avastastud ESPHome'i sõlm",
+ "bridge_is_already_configured": "Lüüs on juba häälestatud",
+ "no_deconz_bridges_discovered": "DeCONZ lüüse ei leitud",
+ "abort_no_hardware_available": "DeCONZi raadio riistvara puudub",
+ "abort_updated_instance": "DeCONZ-i eksemplarile omistati uus hostiaadress",
+ "error_linking_not_possible": "Ühendus lüüsiga nurjus",
+ "error_no_key": "API võtit ei leitud",
+ "link_with_deconz": "Ühenda deCONZ-iga",
+ "select_discovered_deconz_gateway": "Vali avastatud deCONZ lüüs",
+ "abort_missing_credentials": "Sidumine nõuab rakenduse volitusi.",
+ "no_port_for_endpoint": "Lõpp-punkti jaoks puudub port",
+ "abort_no_services": "Lõpp-punktis teenuseid ei leitud",
+ "discovered_wyoming_service": "Avastatud Wyomingi teenus",
+ "ipv_is_not_supported": "IPv6 ei ole toetatud.",
+ "error_custom_port_not_supported": "Gen1 seade ei toeta kohandatud porti.",
+ "arm_away_action": "Valvesta eemal toiming",
+ "arm_custom_bypass_action": "Kohandatud möödaviigu toiming",
+ "arm_home_action": "Valvesta kodusl toiming",
+ "arm_night_action": "Öise valvestuse toiming",
+ "arm_vacation_action": "Valvesta puhkuse režiimis toiming",
+ "code_arm_required": "Vajalik on koodiga valvestamine",
+ "disarm_action": "Valvest maha toiming",
+ "trigger_action": "Käivita toiming",
+ "value_template": "Väärtuse mall",
+ "template_alarm_control_panel": "Malliga alarmi juhtpaneel",
+ "state_template": "Oleku mall",
+ "template_binary_sensor": "Binaarse anduri mall",
+ "actions_on_press": "Toiming vajutusel",
+ "template_button": "Malli nupp",
+ "template_image": "Pildi mall",
+ "actions_on_set_value": "Toimingud seatud väärtusele",
+ "step_value": "Sammu väärtus",
+ "template_number": "Malli number",
+ "available_options": "Saadaolevad valikud",
+ "actions_on_select": "Valitavad toimingud",
+ "template_select": "Malli valimine",
+ "template_sensor": "Malli andur",
+ "actions_on_turn_off": "Toimingud mida välja lülitada",
+ "actions_on_turn_on": "Toimingud mida sisse lülitada",
+ "template_switch": "Malliga lüliti",
+ "menu_options_alarm_control_panel": "Alarmi juhtpaneeli mall",
+ "template_a_button": "Nupu mallimine",
+ "template_an_image": "Kujutise malli loomine",
+ "template_a_number": "Numbri mall",
+ "template_a_sensor": "Anduri mall",
+ "template_helper": "Malli abimees",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "See seade ei ole zha seade",
+ "abort_usb_probe_failed": "USB seadme küsitlemine ebaõnnestus",
+ "invalid_backup_json": "Sobimatu varukoopia JSON",
+ "choose_an_automatic_backup": "Vali automaatne varundamine",
+ "restore_automatic_backup": "Taastamine automaatsest varukoopiast",
+ "choose_formation_strategy_description": "Vali raadio võrguseaded.",
+ "create_a_network": "Võrgu loomine",
+ "keep_radio_network_settings": "Raadiovõrgu sätete säilitamine",
+ "upload_a_manual_backup": "Lae käsitsi loodud varukoopia üles",
+ "network_formation": "Võrgu moodustamine",
+ "serial_device_path": "Jadapordi seadme aadress",
+ "select_a_serial_port": "Vali jadaport",
+ "radio_type": "Seadme raadio tüüp",
+ "manual_pick_radio_type_description": "Vali Zigbee raadio tüüp",
+ "port_speed": "Pordi kiirus",
+ "data_flow_control": "Andmevoo kontroll",
+ "manual_port_config_description": "Sisesta jadapordi sätted",
+ "serial_port_settings": "Jadapordi sätted",
+ "data_overwrite_coordinator_ieee": "Asenda IEEE aadress jäädavalt",
+ "overwrite_radio_ieee_address": "Kirjuta IEEE aadress üle",
+ "upload_a_file": "Lae kirje üles",
+ "radio_is_not_recommended": "See raadio ei ole soovitatav",
+ "invalid_ics_file": "Kehtetu .ics-fail",
+ "calendar_name": "Kalendri nimi",
+ "starting_data": "Lähteandmed",
+ "zha_alarm_options_alarm_master_code": "Valvekeskuse juhtpaneel(ide) ülemkood",
+ "alarm_control_panel_options": "Valvekeskuse juhtpaneeli sätted",
+ "zha_options_consider_unavailable_battery": "Arvesta, et patareitoitega seadmed pole pärast (sekundit) saadaval",
+ "zha_options_consider_unavailable_mains": "Arvesta, et võrgutoitega seadmed pole pärast (sekundit) saadaval",
+ "zha_options_default_light_transition": "Heleduse vaikeülemineku aeg (sekundites)",
+ "zha_options_group_members_assume_state": "Grupi liikmed võtavad grupi oleku",
+ "zha_options_light_transitioning_flag": "Luba täiustatud heleduse liugur valguse ülemineku ajal",
+ "global_options": "Üldised valikud",
+ "force_nightlatch_operation_mode": "Force Nightlatch töörežiim",
+ "retry_count": "Korduskatsete arv",
+ "data_process": "Anduritena lisatavad protsessid",
+ "invalid_url": "Sobimatu URL",
+ "data_browse_unfiltered": "Kuva sirvimisel ühildumatu meedia",
+ "event_listener_callback_url": "Sündmuse kuulaja URL",
+ "data_listen_port": "Sündmuste kuulaja port (juhuslik kui pole määratud)",
+ "poll_for_device_availability": "Küsitle seadme saadavuse kohta",
+ "init_title": "DLNA digitaalse meediumi renderdaja sätted",
+ "broker_options": "MQTT maakleri valikud",
+ "enable_will_message": "Luba loomisteavitus",
+ "birth_message_payload": "Sünniteate väärtus",
+ "birth_message_qos": "Sünniteate QoS",
+ "birth_message_retain": "Sünniteate jäädvustamine",
+ "birth_message_topic": "Sünniteate teema",
+ "enable_discovery": "Luba avastamine",
+ "discovery_prefix": "Avastamise eesliide",
+ "will_message_payload": "Lõpetamisteate väärtus",
+ "will_message_qos": "Lõpetamisteate QoS",
+ "will_message_retain": "Lõpetamisteate jäädvustamine",
+ "will_message_topic": "Lõpetamisteade",
+ "data_description_discovery": "Võimalus lubada MQTT automaatne avastamine.",
+ "mqtt_options": "MQTT valikud",
+ "passive_scanning": "Passiivne skännimine",
+ "protocol": "Protokoll",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Keele kood",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "data_app_delete": "Märgi selle rakenduse kustutamiseks",
+ "application_icon": "Rakenduse pisipilt",
+ "application_name": "Rakenduse nimi",
+ "configure_application_id_app_id": "Rakenduse ID {app_id} seadistamine",
+ "configure_android_apps": "Seadista Androidi rakendused",
+ "configure_applications_list": "Rakenduste loendi seadistamine",
"ignore_cec": "Eira CEC-i",
"allowed_uuids": "Lubatud UUID-d",
"advanced_google_cast_configuration": "Google Casti seadistamise täpsemad valikud",
+ "allow_deconz_clip_sensors": "Luba deCONZ CLIP andurid",
+ "allow_deconz_light_groups": "Luba deCONZi valgustgrupid",
+ "data_allow_new_devices": "Luba uute seadmete automaatne lisamine",
+ "deconz_devices_description": "Seadista deCONZ-i seadmetüüpide nähtavus",
+ "deconz_options": "deCONZi valikud",
+ "select_test_server": "Testiserveri valimine",
+ "data_calendar_access": "Home Assistanti juurdepääs Google'i kalendrile",
+ "bluetooth_scanner_mode": "Bluetooth-skänneri režiim",
"device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
"not_supported": "Not Supported",
"localtuya_configuration": "LocalTuya Configuration",
@@ -2429,10 +2778,9 @@
"data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
"data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
"data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
"configure_tuya_device": "Configure Tuya device",
"configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Seadme ID",
+ "device_id": "Device ID",
"local_key": "Local key",
"protocol_version": "Protocol Version",
"data_entities": "Entities (uncheck an entity to remove it)",
@@ -2501,91 +2849,13 @@
"enable_heuristic_action_optional": "Enable heuristic action (optional)",
"data_dps_default_value": "Default value when un-initialised (optional)",
"minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistanti juurdepääs Google'i kalendrile",
- "data_process": "Anduritena lisatavad protsessid",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passiivne skännimine",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "MQTT maakleri valikud",
- "enable_will_message": "Luba loomisteavitus",
- "birth_message_payload": "Sünniteate väärtus",
- "birth_message_qos": "Sünniteate QoS",
- "birth_message_retain": "Sünniteate jäädvustamine",
- "birth_message_topic": "Sünniteate teema",
- "enable_discovery": "Luba avastamine",
- "discovery_prefix": "Avastamise eesliide",
- "will_message_payload": "Lõpetamisteate väärtus",
- "will_message_qos": "Lõpetamisteate QoS",
- "will_message_retain": "Lõpetamisteate jäädvustamine",
- "will_message_topic": "Lõpetamisteade",
- "data_description_discovery": "Võimalus lubada MQTT automaatne avastamine.",
- "mqtt_options": "MQTT valikud",
"data_allow_nameless_uuids": "Praegu lubatud UUID-d. Eemaldamiseks tühjenda märkeruut",
"data_new_uuid": "Sisesta uus lubatud UUID",
- "allow_deconz_clip_sensors": "Luba deCONZ CLIP andurid",
- "allow_deconz_light_groups": "Luba deCONZi valgustgrupid",
- "data_allow_new_devices": "Luba uute seadmete automaatne lisamine",
- "deconz_devices_description": "Seadista deCONZ-i seadmetüüpide nähtavus",
- "deconz_options": "deCONZi valikud",
- "data_app_delete": "Märgi selle rakenduse kustutamiseks",
- "application_icon": "Rakenduse pisipilt",
- "application_name": "Rakenduse nimi",
- "configure_application_id_app_id": "Rakenduse ID {app_id} seadistamine",
- "configure_android_apps": "Seadista Androidi rakendused",
- "configure_applications_list": "Rakenduste loendi seadistamine",
- "invalid_url": "Sobimatu URL",
- "data_browse_unfiltered": "Kuva sirvimisel ühildumatu meedia",
- "event_listener_callback_url": "Sündmuse kuulaja URL",
- "data_listen_port": "Sündmuste kuulaja port (juhuslik kui pole määratud)",
- "poll_for_device_availability": "Küsitle seadme saadavuse kohta",
- "init_title": "DLNA digitaalse meediumi renderdaja sätted",
- "protocol": "Protokoll",
- "language_code": "Keele kood",
- "bluetooth_scanner_mode": "Bluetooth-skänneri režiim",
- "force_nightlatch_operation_mode": "Force Nightlatch töörežiim",
- "retry_count": "Korduskatsete arv",
- "select_test_server": "Testiserveri valimine",
- "toggle_entity_name": "Muuda {entity_name} olekut",
- "turn_off_entity_name": "Lülita {entity_name} välja",
- "turn_on_entity_name": "Lülita {entity_name} sisse",
- "entity_name_is_off": "{entity_name} on välja lülitatud",
- "entity_name_is_on": "{entity_name} on sisse lülitatud",
- "trigger_type_changed_states": "{entity_name} lülitus sisse või välja",
- "entity_name_turned_off": "{entity_name} lülitus välja",
- "entity_name_turned_on": "{entity_name} lülitus sisse",
+ "reconfigure_zha": "Seadista ZHA uuesti",
+ "unplug_your_old_radio": "Ühenda vana raadio lahti",
+ "intent_migrate_title": "Teisalda uuele seadmele",
+ "re_configure_the_current_radio": "Taasseadista praegune seade",
+ "migrate_or_re_configure": "Teisaldamine või uuesti seadistamine",
"current_entity_name_apparent_power": "Praegune {entity_name} näiv võimsus",
"condition_type_is_aqi": "Praegune {entity_name} õhukvaliteedi indeks",
"current_entity_name_area": "Praegune {entity_name} ala",
@@ -2679,6 +2949,56 @@
"entity_name_water_changes": "{entity_name} veekulu muutub",
"entity_name_weight_changes": "{entity_name} kaal muutus",
"entity_name_wind_speed_changes": "{entity_name} tuule kiirus muutub",
+ "decrease_entity_name_brightness": "Vähenda {entity_name} heledust",
+ "increase_entity_name_brightness": "Suurenda{entity_name} heledust",
+ "flash_entity_name": "Vilguta {entity_name}",
+ "toggle_entity_name": "Muuda {entity_name} olekut",
+ "turn_off_entity_name": "Lülita {entity_name} välja",
+ "turn_on_entity_name": "Lülita {entity_name} sisse",
+ "entity_name_is_off": "{entity_name} on välja lülitatud",
+ "entity_name_is_on": "{entity_name} on sisse lülitatud",
+ "flash": "Vilgutamine",
+ "trigger_type_changed_states": "{entity_name} lülitus sisse või välja",
+ "entity_name_turned_off": "{entity_name} lülitus välja",
+ "entity_name_turned_on": "{entity_name} lülitus sisse",
+ "set_value_for_entity_name": "Olemi {entity_name} väärtuse määramine",
+ "value": "Value",
+ "entity_name_update_availability_changed": "Olemi {entity_name} värskenduse saadavus muutus",
+ "entity_name_became_up_to_date": "{entity_name} on uuendatud",
+ "trigger_type_turned_on": "Olemile {entity_name} on saadaval värskendus",
+ "first_button": "Esimene nupp",
+ "second_button": "Teine nupp",
+ "third_button": "Kolmas nupp",
+ "fourth_button": "Neljas nupp",
+ "fifth_button": "Viies nupp",
+ "sixth_button": "Kuues nupp",
+ "subtype_double_clicked": "\"{subtype}\" on topeltklõpsatud",
+ "subtype_continuously_pressed": "\"{subtype}\" on pikalt alla vajutatud",
+ "trigger_type_button_long_release": "\"{subtype}\" vabastatati pärast pikka vajutust",
+ "subtype_quadruple_clicked": "\"{subtype}\" nuppu on neljakordselt klõpsatud",
+ "subtype_quintuple_clicked": "\"{subtype}\" nuppu on viiekordselt klõpsatud",
+ "subtype_pressed": "\"{subtype}\" nupp on vajutatud",
+ "subtype_released": "\"{subtype}\" nupp vabastati",
+ "subtype_triple_clicked": "Nuppu \"{subtype}\" klõpsati kolm korda",
+ "entity_name_is_home": "{entity_name} on kodus",
+ "entity_name_is_not_home": "{entity_name} on eemal",
+ "entity_name_enters_a_zone": "{entity_name} siseneb tsooni",
+ "entity_name_leaves_a_zone": "{entity_name} lahkub tsoonist",
+ "press_entity_name_button": "Vajuta nuppu {entity_name}",
+ "entity_name_has_been_pressed": "Vajutati nuppu {entity_name}",
+ "let_entity_name_clean": "{entity_name} puhastamise lubamine",
+ "action_type_dock": "Laske {entity_name} dokki naasta",
+ "entity_name_is_cleaning": "{entity_name} puhastab",
+ "entity_name_docked": "{entity_name} on emajaamas",
+ "entity_name_started_cleaning": "{entity_name} alustas puhastamist",
+ "send_a_notification": "Saada teavitus",
+ "lock_entity_name": "Lukusta {entity_name}",
+ "open_entity_name": "Ava aknakate {entity_name}",
+ "unlock_entity_name": "Tee {entity_name} lahti",
+ "entity_name_is_locked": "{entity_name} on lukustatud",
+ "entity_name_opened": "{entity_name} on avatud",
+ "entity_name_unlocked": "{entity_name} on lukustamata",
+ "entity_name_locked": "{entity_name} on lukus",
"action_type_set_hvac_mode": "Kliimaseadme {entity_name} režiimi muutmine",
"change_preset_on_entity_name": "Olemi {entity_name} eelseadistuse muutmine",
"hvac_mode": "Kliimaseadme režiim",
@@ -2686,7 +3006,19 @@
"entity_name_measured_humidity_changed": "{entity_name} mõõdetud niiskus muutus",
"entity_name_measured_temperature_changed": "{entity_name} mõõdetud temperatuur muutus",
"entity_name_hvac_mode_changed": "{entity_name} kliimasedame režiim on muudetud",
- "set_value_for_entity_name": "Olemi {entity_name} väärtuse määramine",
+ "close_entity_name": "Sule aknakate {entity_name}",
+ "close_entity_name_tilt": "Sule aknakatte {entity_name} kaldribid",
+ "open_entity_name_tilt": "Ava aknakatte {entity_name} kaldribid",
+ "set_entity_name_position": "Määra aknakatte {entity_name} asend",
+ "set_entity_name_tilt_position": "Määra aknakatte {entity_name} kaldribide asend",
+ "stop_entity_name": "Peata aknakatte {entity_name} liikumine",
+ "entity_name_closed": "{entity_name} on suletud",
+ "entity_name_closing": "Aknakate {entity_name} sulgub",
+ "entity_name_opening": "Aknakate {entity_name} avaneb",
+ "current_entity_name_position_is": "Aknakatte {entity_name} praegune asend on",
+ "condition_type_is_tilt_position": "Aknakatte {entity_name} praegune kalle on",
+ "entity_name_position_changes": "Aknakatte {entity_name} asend muutub",
+ "entity_name_tilt_position_changes": "Aknakatte {entity_name} kalle muutub",
"entity_name_battery_is_low": "{entity_name} aku on tühjenemas",
"entity_name_charging": "{entity_name} laeb",
"condition_type_is_co": "{entity_name} tuvastab vingugaasi",
@@ -2695,7 +3027,6 @@
"entity_name_is_detecting_gas": "{entity_name} tuvastab gaasi(leket)",
"entity_name_is_hot": "{entity_name} on kuum",
"entity_name_is_detecting_light": "{entity_name} tuvastab valgust",
- "entity_name_locked": "{entity_name} on lukus",
"entity_name_is_moist": "{entity_name} on niiske",
"entity_name_is_detecting_motion": "{entity_name} tuvastab liikumist",
"entity_name_is_moving": "{entity_name} liigub",
@@ -2713,11 +3044,9 @@
"entity_name_is_not_cold": "{entity_name} ei ole külm",
"entity_name_is_disconnected": "{entity_name} pole ühendatud",
"entity_name_is_not_hot": "{entity_name} ei ole kuum",
- "entity_name_unlocked": "{entity_name} on lukustamata",
"entity_name_is_dry": "{entity_name} on kuiv",
"entity_name_is_not_moving": "{entity_name} liikumist ei tuvastatud",
"entity_name_is_not_occupied": "{entity_name} pole hõivatud",
- "entity_name_closed": "Aknakate {entity_name} on suletud",
"entity_name_is_unplugged": "{entity_name} on lahti ühendatud",
"entity_name_is_not_powered": "{entity_name} ei ole voolu all",
"entity_name_not_present": "{entity_name} puudub",
@@ -2725,7 +3054,6 @@
"condition_type_is_not_tampered": "{entity_name} ei tuvasta omavoli",
"entity_name_is_safe": "{entity_name} on turvaline",
"entity_name_is_occupied": "{entity_name} on hõivatud",
- "entity_name_is_open": "{entity_name} on avatud",
"entity_name_is_powered": "{entity_name} on voolu all",
"entity_name_present": "{entity_name} on saadaval",
"entity_name_is_detecting_problem": "Olemil {entity_name} on probleem",
@@ -2752,7 +3080,6 @@
"entity_name_stopped_detecting_problem": "{entity_name} lõpetas probleemi tuvastamise",
"entity_name_stopped_detecting_smoke": "{entity_name} lõpetas suitsu tuvastamise",
"entity_name_stopped_detecting_sound": "{entity_name} lõpetas heli tuvastamise",
- "entity_name_became_up_to_date": "Olem {entity_name} muutus ajakohaseks",
"entity_name_stopped_detecting_vibration": "{entity_name} lõpetas vibratsiooni tuvastamise",
"entity_name_became_not_cold": "{entity_name} ei ole enam külm",
"entity_name_became_not_hot": "{entity_name} ei ole enam kuum",
@@ -2765,7 +3092,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} lõpetas omavolilise muutmise tuvastamise",
"entity_name_became_safe": "{entity_name} muutus turvaliseks",
"entity_name_became_occupied": "{entity_name} hõivati",
- "entity_name_opened": "{entity_name} avanes",
"entity_name_plugged_in": "{entity_name} ühendati",
"entity_name_powered": "{entity_name} lültus voolu alla",
"entity_name_started_detecting_problem": "{entity_name} avastas probleemi",
@@ -2782,36 +3108,6 @@
"entity_name_starts_buffering": "{entity_name} alustab puhverdamist",
"entity_name_becomes_idle": "{entity_name} muutub jõudeolekusse",
"entity_name_starts_playing": "{entity_name} alustab taasesitamist",
- "entity_name_is_home": "{entity_name} on kodus",
- "entity_name_is_not_home": "{entity_name} on eemal",
- "entity_name_enters_a_zone": "{entity_name} siseneb tsooni",
- "entity_name_leaves_a_zone": "{entity_name} lahkub tsoonist",
- "decrease_entity_name_brightness": "Vähenda {entity_name} heledust",
- "increase_entity_name_brightness": "Suurenda{entity_name} heledust",
- "flash_entity_name": "Vilguta {entity_name}",
- "flash": "Vilgutamine",
- "entity_name_update_availability_changed": "Olemi {entity_name} värskenduse saadavus muutus",
- "trigger_type_turned_on": "Olemile {entity_name} on saadaval värskendus",
- "arm_entity_name_away": "Valvesta {entity_name}",
- "arm_entity_name_home": "Valvesta {entity_name} kodus režiimis",
- "arm_entity_name_night": "Valvesta {entity_name} öörežiimis",
- "arm_entity_name_vacation": "Valvesta {entity_name} puhkuserežiimis",
- "disarm_entity_name": "Võta {entity_name} valvest maha",
- "trigger_entity_name": "Käivita {entity_name}",
- "entity_name_is_armed_away": "{entity_name} on valvestatud",
- "entity_name_is_armed_home": "{entity_name} on valvestatud kodurežiimis",
- "entity_name_is_armed_night": "{entity_name} on valvestatud öörežiimis",
- "entity_name_is_armed_vacation": "{entity_name} on valvestatud puhkuse reziimis",
- "entity_name_is_disarmed": "{entity_name} on valve alt maas",
- "entity_name_is_triggered": "{entity_name} on häiret andnud",
- "entity_name_armed_away": "{entity_name} valvestati",
- "entity_name_armed_home": "{entity_name} valvestati kodurežiimis",
- "entity_name_armed_night": "{entity_name} valvestati öörežiimis",
- "entity_name_armed_vacation": "{entity_name} puhkuse režiim",
- "entity_name_disarmed": "{entity_name} võeti valvest maha",
- "entity_name_triggered": "{entity_name} andis häiret",
- "press_entity_name_button": "Vajuta nuppu {entity_name}",
- "entity_name_has_been_pressed": "Vajutati nuppu {entity_name}",
"action_type_select_first": "Muuda {entity_name} esimeseks valikuks",
"action_type_select_last": "Muuda {entity_name} viimaseks valikuks",
"action_type_select_next": "Muutda {entity_name} järgmiseks valikuks",
@@ -2820,41 +3116,14 @@
"current_entity_name_selected_option": "Praegused {entity_name} sätted",
"cycle": "Vaheta",
"entity_name_option_changed": "Olemi {entity_name} sätted on muudetud",
- "close_entity_name": "Sule aknakate {entity_name}",
- "close_entity_name_tilt": "Sule aknakatte {entity_name} kaldribid",
- "open_entity_name": "Ava {entity_name}",
- "open_entity_name_tilt": "Ava aknakatte {entity_name} kaldribid",
- "set_entity_name_position": "Määra aknakatte {entity_name} asend",
- "set_entity_name_tilt_position": "Määra aknakatte {entity_name} kaldribide asend",
- "stop_entity_name": "Peata aknakatte {entity_name} liikumine",
- "entity_name_closing": "Aknakate {entity_name} sulgub",
- "entity_name_opening": "Aknakate {entity_name} avaneb",
- "current_entity_name_position_is": "Aknakatte {entity_name} praegune asend on",
- "condition_type_is_tilt_position": "Aknakatte {entity_name} praegune kalle on",
- "entity_name_position_changes": "Aknakatte {entity_name} asend muutub",
- "entity_name_tilt_position_changes": "Aknakatte {entity_name} kalle muutub",
- "first_button": "Esimene nupp",
- "second_button": "Teine nupp",
- "third_button": "Kolmas nupp",
- "fourth_button": "Neljas nupp",
- "fifth_button": "Viies nupp",
- "sixth_button": "Kuues nupp",
- "subtype_double_clicked": "Nuppu {subtype} topeltklõpsati",
- "subtype_continuously_pressed": "\" {subtype} \" on pikalt alla vajutatud",
- "trigger_type_button_long_release": "\"{subtype}\" vabastatati pärast pikka vajutust",
- "subtype_quadruple_clicked": "\"{subtype}\" nuppu on neljakordselt klõpsatud",
- "subtype_quintuple_clicked": "\"{subtype}\" nuppu on viiekordselt klõpsatud",
- "subtype_pressed": "\"{subtype}\" nupp on vajutatud",
- "subtype_released": "\"{subtype}\" nupp vabastati",
- "subtype_triple_clicked": "Nuppu {subtype} klõpsati kolm korda",
"both_buttons": "Mõlemad nupud",
"bottom_buttons": "Alumised nupud",
"seventh_button": "Seitsmes nupp",
"eighth_button": "Kaheksas nupp",
"dim_down": "Hämarda",
"dim_up": "Tee heledamaks",
- "left": "Vasakpoolne",
- "right": "Parempoolne",
+ "left": "Vasakule",
+ "right": "Paremale",
"side": "6. külg",
"top_buttons": "Ülemised nupud",
"device_awakened": "Seade ärkas",
@@ -2866,18 +3135,12 @@
"trigger_type_remote_double_tap_any_side": "Seadet on topeltpuudutatud mis tahes küljelt",
"device_in_free_fall": "Seade on vabalangemises",
"device_flipped_degrees": "Seadet pöörati 90 kraadi",
- "device_shaken": "seadet raputati",
+ "device_shaken": "Seadet raputati",
"trigger_type_remote_moved": "Seadet liigutati küljega \"{subtype}\" ülal",
"trigger_type_remote_moved_any_side": "Seadet liigutati suvaline külg üleval pool",
"trigger_type_remote_rotate_from_side": "Seade pöörati küljelt \"6” asendisse \"{subtype}\"",
"device_turned_clockwise": "Seadet pöörati päripäeva",
"device_turned_counter_clockwise": "Seadet pöörati vastupäeva",
- "send_a_notification": "Saada teavitus",
- "let_entity_name_clean": "{entity_name} puhastamise lubamine",
- "action_type_dock": "Laske {entity_name} dokki naasta",
- "entity_name_is_cleaning": "{entity_name} puhastab",
- "entity_name_docked": "{entity_name} on emajaamas",
- "entity_name_started_cleaning": "{entity_name} alustas puhastamist",
"subtype_button_down": "{subtype} nupp vajutatud",
"subtype_button_up": "{subtype} nupp vabastatud",
"subtype_double_push": "{subtype} topeltklõps",
@@ -2888,26 +3151,53 @@
"trigger_type_single_long": "Nuppu {subtype} klõpsati üks kord ja seejärel hoiti all",
"subtype_single_push": "{subtype} lühike vajutus",
"subtype_triple_push": "{subtype} kolmikvajutus",
- "lock_entity_name": "Lukusta {entity_name}",
- "unlock_entity_name": "Tee {entity_name} lahti",
+ "arm_entity_name_away": "Valvesta {entity_name}",
+ "arm_entity_name_home": "Valvesta {entity_name} kodus režiimis",
+ "arm_entity_name_night": "Valvesta {entity_name} öörežiimis",
+ "arm_entity_name_vacation": "Valvesta {entity_name} puhkuserežiimis",
+ "disarm_entity_name": "Võta {entity_name} valvest maha",
+ "trigger_entity_name": "Käivita {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} on valvestatud",
+ "entity_name_is_armed_home": "{entity_name} on valvestatud kodurežiimis",
+ "entity_name_is_armed_night": "{entity_name} on valvestatud öörežiimis",
+ "entity_name_is_armed_vacation": "{entity_name} on valvestatud puhkuse reziimis",
+ "entity_name_is_disarmed": "{entity_name} on valve alt maas",
+ "entity_name_is_triggered": "{entity_name} on häiret andnud",
+ "entity_name_armed_away": "{entity_name} valvestati",
+ "entity_name_armed_home": "{entity_name} valvestati kodurežiimis",
+ "entity_name_armed_night": "{entity_name} valvestati öörežiimis",
+ "entity_name_armed_vacation": "{entity_name} puhkuse režiim",
+ "entity_name_disarmed": "{entity_name} võeti valvest maha",
+ "entity_name_triggered": "{entity_name} andis häiret",
+ "action_type_issue_all_led_effect": "Kõigi LED-ide efekt",
+ "action_type_issue_individual_led_effect": "Efekt üksikute LEDide puhul",
+ "squawk": "Prääksata",
+ "warn": "Hoiata",
+ "color_hue": "Värvitoon",
+ "duration_in_seconds": "Kestus sekundites",
+ "effect_type": "Efekti tüüp",
+ "led_number": "LED-i number",
+ "with_face_activated": "Külg 6 on üleval",
+ "with_any_specified_face_s_activated": "mistahes külg on üleval",
+ "device_dropped": "Seade kukkus",
+ "device_flipped_subtype": "Seadet pöörati {subtype}",
+ "device_knocked_subtype": "Seadet koputati {subtype}",
+ "device_offline": "Seade on võrguühenduseta",
+ "device_rotated_subtype": "Seadet keerati {subtype}",
+ "device_slid_subtype": "Seadet libistati {subtype}",
+ "device_tilted": "Seadet kallutati",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" on topeltklõpsatud (alternatiivrežiim)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" nuppu vajutati pikalt (alternatiivrežiim)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" nupp vabastati peale pikka vajutust (alternatiivrežiim)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" on neljakordselt klõpsatud (alternatiivrežiim)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" nuppu vajutati (alternatiivrežiim)",
+ "subtype_released_alternate_mode": "\"{subtype}\" nupp vabastati (alternatiivrežiim)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" on kolmekordselt klõpsatud (alternatiivrežiim)",
"add_to_queue": "Lisa järjekorda",
"play_next": "Esita järgmine",
"options_replace": "Esita kohe ja tühjenda järjekord",
"repeat_all": "Korda kõiki",
"repeat_one": "Korda ühte",
- "no_code_format": "Koodivorming puudub",
- "no_unit_of_measurement": "Mõõtühik puudub",
- "critical": "Kriitiline",
- "debug": "Silumine",
- "warning": "Hoiatus",
- "create_an_empty_calendar": "Loo tühi kalender",
- "options_import_ics_file": "iCalendari faili üleslaadimine (.ics)",
- "arithmetic_mean": "Aritmeetiline keskmine",
- "median": "Mediaan",
- "product": "Toode",
- "statistical_range": "Statistiline vahemik",
- "standard_deviation": "Standardhälve",
- "fatal": "Tappev",
"alice_blue": "Alice sinine",
"antique_white": "Antiikvalge",
"aqua": "Veesinine",
@@ -3025,51 +3315,19 @@
"tomato": "Tomatipunane",
"turquoise": "Türkiissinine",
"wheat": "Nisukollane",
- "sets_the_value": "Määrab väärtuse.",
- "the_target_value": "Sihtväärtus.",
- "command": "Käsk",
- "device_description": "Seadme ID, millele käsk saata.",
- "delete_command": "Kustuta käsk",
- "alternative": "Alternatiiv",
- "command_type_description": "Õpitava käsu tüüp.",
- "command_type": "Käsu tüüp",
- "timeout_description": "Käsu õppimise ajalõpp.",
- "learn_command": "Õpi käsk",
- "delay_seconds": "Viivitus sekundites",
- "hold_seconds": "Oota sekundites",
- "repeats": "Kordused",
- "send_command": "Saada käsk",
- "sends_the_toggle_command": "Lülitab seadme sisse/välja.",
- "turn_off_description": "Lülita üks või mitu valgustit välja.",
- "turn_on_description": "Alustab uut puhastustööd.",
- "set_datetime_description": "Määrab kuupäeva ja/või kellaaja.",
- "the_target_date": "Sihtkuupäev.",
- "datetime_description": "Sihtkuupäev ja -kellaaeg.",
- "the_target_time": "Sihtaeg.",
- "creates_a_new_backup": "Loob uue varukoopia.",
- "apply_description": "Aktiveerib stseeni koos konfiguratsiooniga.",
- "entities_description": "Olemite loend ja nende sihtolek.",
- "entities_state": "Olemite olek",
- "transition": "Üleminek",
- "apply": "Rakenda",
- "creates_a_new_scene": "Loob uue stseeni.",
- "scene_id_description": "Uue stseeni olemi ID.",
- "scene_entity_id": "Stseeni olemi ID",
- "snapshot_entities": "Hetktõmmise olemid",
- "delete_description": "Kustutab dünaamiliselt loodud stseeni.",
- "activates_a_scene": "Aktiveerib stseeni.",
- "closes_a_valve": "Sulgeb ventiili.",
- "opens_a_valve": "Avab ventiili.",
- "set_valve_position_description": "Liigutab ventiili kindlasse asendisse.",
- "target_position": "Sihtasend.",
- "set_position": "Määra asend",
- "stops_the_valve_movement": "Peatab ventiili liikumise.",
- "toggles_a_valve_open_closed": "Ventiili avamine/sulgemine.",
- "dashboard_path": "Töölaua rada",
- "view_path": "Vaata rada",
- "show_dashboard_view": "Töölauavaate kuvamine",
- "finish_description": "Lõpetab taimeri plaanitust varem.",
- "duration_description": "Kohandatud kestus taimeri taaskäivitamiseks.",
+ "critical": "Kriitiline",
+ "debug": "Silumine",
+ "warning": "Hoiatus",
+ "no_code_format": "Koodivorming puudub",
+ "no_unit_of_measurement": "Mõõtühik puudub",
+ "fatal": "Tappev",
+ "arithmetic_mean": "Aritmeetiline keskmine",
+ "median": "Mediaan",
+ "product": "Toode",
+ "statistical_range": "Statistiline vahemik",
+ "standard_deviation": "Standardhälve",
+ "create_an_empty_calendar": "Loo tühi kalender",
+ "options_import_ics_file": "iCalendari faili üleslaadimine (.ics)",
"sets_a_random_effect": "Määrab juhusliku efekti.",
"sequence_description": "HSV järjestuste loend (max 16).",
"backgrounds": "Taustad",
@@ -3086,110 +3344,22 @@
"saturation_range": "Küllastuse vahemik",
"segments_description": "Segmentide loend (0 kõigi jaoks).",
"segments": "Segmendid",
- "range_of_transition": "Ülemineku ulatus.",
- "transition_range": "Ülemineku vahemik",
- "random_effect": "Juhuslik efekt",
- "sets_a_sequence_effect": "Seadistab jadaefekti.",
- "repetitions_for_continuous": "Kordused (0 pidevaks).",
- "sequence": "Jada",
- "speed_of_spread": "Leviku kiirus.",
- "spread": "Levik",
- "sequence_effect": "Jadaefekt",
- "check_configuration": "Konfiguratsiooni kontroll",
- "reload_all": "Taaslae kõik",
- "reload_config_entry_description": "Taaslaeb määratud konfiguratsioonikirje.",
- "config_entry_id": "Konfiguratsioonikirje ID",
- "reload_config_entry": "Taaslae konfiguratsiooni kirje",
- "reload_core_config_description": "Taaslaeb põhikonfiguratsiooni YAML-i konfiguratsioonist.",
- "reload_core_configuration": "Taaslae põhikonfiguratsioo",
- "reload_custom_jinja_templates": "Taaslae kohandatud Jinja2 mallid",
- "restarts_home_assistant": "Taaskäivitab Home Assistanti.",
- "safe_mode_description": "Keela kohandatud sidumised ja kohandatud kaardid.",
- "save_persistent_states": "Salvesta püsivad olekud",
- "set_location_description": "Uuendab Home Assistanti asukohta.",
- "elevation_description": "Asukoha kõrgus merepinnast.",
- "latitude_of_your_location": "Asukoha laiuskraad.",
- "longitude_of_your_location": "Asukoha pikkuskraad.",
- "set_location": "Määra asukoht",
- "stops_home_assistant": "Seiskab Home Assistanti.",
- "generic_toggle": "Üldine lülitamine",
- "generic_turn_off": "Üldine väljalülitamine",
- "generic_turn_on": "Üldine sisselülitamine",
- "entity_id_description": "Olem millele logiraamatu kirjes viidata.",
- "entities_to_update": "Värskendatavad olemid",
- "update_entity": "Värskenda olemit",
- "turns_auxiliary_heater_on_off": "Lülitab lisasoojendi sisse/välja.",
- "aux_heat_description": "Uus lisasoojendi väärtus.",
- "auxiliary_heating": "Lisasoojendi",
- "turn_on_off_auxiliary_heater": "Lülita lisasoojendi sisse/välja",
- "sets_fan_operation_mode": "Määrab ventilaatori töörežiimi.",
- "fan_operation_mode": "Ventilaatori töörežiim.",
- "set_fan_mode": "Määra ventilaatori režiim",
- "sets_target_humidity": "Määrab soovitud niiskuse",
- "set_target_humidity": "Määra soovitud õhuniiskus",
- "sets_hvac_operation_mode": "Määrab kliimaseadme töörežiimi.",
- "hvac_operation_mode": "Kliimaseadme töörežiim.",
- "set_hvac_mode": "Määra kliimaseadme režiim",
- "sets_preset_mode": "Määrab eelseadistatud režiimi.",
- "set_preset_mode": "Eelseadistatud režiimi seadistamine",
- "set_swing_horizontal_mode_description": "Seadistab horisontaalse kiikumise töörežiimi.",
- "horizontal_swing_operation_mode": "Horisontaalne kiikumise töörežiim.",
- "set_horizontal_swing_mode": "Seadista horisontaalne kiikumisrežiim",
- "sets_swing_operation_mode": "Määrab õõtsumise režiimi.",
- "swing_operation_mode": "Õõtsumisrežiim.",
- "set_swing_mode": "Määra õõtsumisrežiim",
- "sets_the_temperature_setpoint": "Määrab temperatuuri sättepunkti.",
- "the_max_temperature_setpoint": "Maksimaalne temperatuuri seadepunkt.",
- "the_min_temperature_setpoint": "Minimaalne temperatuuri seadepunkt.",
- "the_temperature_setpoint": "Temperatuuri seadepunkt.",
- "set_target_temperature": "Määra soovitud temperatuur",
- "turns_climate_device_off": "Lülitab kliimaseadme välja.",
- "turns_climate_device_on": "Lülitab kliimaseadme sisse.",
- "decrement_description": "Vähendab praegust väärtust 1 sammu võrra.",
- "increment_description": "Suurendab praegust väärtust 1 sammu võrra.",
- "reset_description": "Lähtestab loenduri algväärtusele.",
- "set_value_description": "Määrab numbri väärtuse.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Seadeparameetri väärtus.",
- "clear_playlist_description": "Eemaldab esitusloendist kõik üksused.",
- "clear_playlist": "Tühjenda esitusloend",
- "selects_the_next_track": "Valib järgmise pala.",
- "pauses": "Paneb pausile.",
- "starts_playing": "Alustab esitamist.",
- "toggles_play_pause": "Lülitab esitamise/pausi vahel.",
- "selects_the_previous_track": "Valib eelmise pala.",
- "seek": "Otsi",
- "stops_playing": "Lõpetab mängimise.",
- "starts_playing_specified_media": "Alustab määratud meedia esitamist.",
- "announce": "Teavita",
- "enqueue": "Pane järjekorda",
- "repeat_mode_to_set": "Kordusrežiimi seadistamine.",
- "select_sound_mode_description": "Valib kindla helirežiimi.",
- "select_sound_mode": "Vali helirežiim",
- "select_source": "Vali allikas",
- "shuffle_description": "Kas juhuesitusrežiim on lubatud või mitte.",
- "toggle_description": "Lülitab tolmuimeja sisse/välja.",
- "turns_down_the_volume": "Vähendab helitugevust.",
- "turn_down_volume": "Vähenda helitugevust",
- "volume_mute_description": "Vaigistab või tühistab meediamängija vaigistamise.",
- "is_volume_muted_description": "Määrab, kas see on vaigistatud või mitte.",
- "mute_unmute_volume": "Heli vaigistamine/vaigistuse tühistamine",
- "sets_the_volume_level": "Määrab helitugevuse taseme.",
- "level": "Tase",
- "set_volume": "Määra helitugevus",
- "turns_up_the_volume": "Suurendab helitugevust.",
- "turn_up_volume": "Suurenda helitugevust",
- "battery_description": "Seadme aku laetus.",
- "gps_coordinates": "GPS koordinaadid",
- "gps_accuracy_description": "GPS-koordinaatide täpsus.",
- "hostname_of_the_device": "Seadme hostinimi.",
- "hostname": "Hostinimi",
- "mac_description": "Seadme MAC-aadress.",
- "see": "Vaata",
+ "transition": "Üleminek",
+ "range_of_transition": "Ülemineku ulatus.",
+ "transition_range": "Ülemineku vahemik",
+ "random_effect": "Juhuslik efekt",
+ "sets_a_sequence_effect": "Seadistab jadaefekti.",
+ "repetitions_for_continuous": "Kordused (0 pidevaks).",
+ "repeats": "Kordused",
+ "sequence": "Jada",
+ "speed_of_spread": "Leviku kiirus.",
+ "spread": "Levik",
+ "sequence_effect": "Jadaefekt",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Lülitab sireeni sisse/välja.",
+ "turns_the_siren_off": "Lülitab sireeni välja.",
+ "turns_the_siren_on": "Lülitab sireeni sisse.",
"brightness_value": "Heleduse väärtus",
"a_human_readable_color_name": "Inimloetav värvinimi.",
"color_name": "Värvi nimi",
@@ -3202,24 +3372,68 @@
"rgbww_color": "RGBWW-värv",
"white_description": "Sea valgus valge režiimile.",
"xy_color": "XY-värv",
+ "turn_off_description": "Saadab väljalülitamise käsu.",
"brightness_step_description": "Muuda heledust teatud astme võrra.",
"brightness_step_value": "Heleduse sammu väärtus",
"brightness_step_pct_description": "Muuda heledust protsentides.",
"brightness_step": "Heleduse samm",
- "add_event_description": "Lisab uue kalendrisündmuse.",
- "calendar_id_description": "Soovitud kalendri ID.",
- "calendar_id": "Kalendri ID",
- "description_description": "Sündmuse kirjeldus. Valikuline.",
- "summary_description": "Toimib sündmuse pealkirjana.",
- "location_description": "Ürituse toimumiskoht.",
- "create_event": "Loo sündmus",
- "apply_filter": "Rakenda filter",
- "days_to_keep": "Salvestatud päevade arv",
- "repack": "Tihendamine",
- "domains_to_remove": "Eemaldatavad domeenid",
- "entity_globs_to_remove": "Olemite grupp eemaldamiseks",
- "entities_to_remove": "Eemaldatavad olemid",
- "purge_entities": "Puhasta üksused",
+ "toggles_the_helper_on_off": "Lülitab abistaja sisse/välja.",
+ "turns_off_the_helper": "Lülitab abistaja välja.",
+ "turns_on_the_helper": "Lülitab abistaja sisse.",
+ "pauses_the_mowing_task": "Peatab niitmise.",
+ "starts_the_mowing_task": "Alustab niitmistegevust.",
+ "creates_a_new_backup": "Loob uue varukoopia.",
+ "sets_the_value": "Määrab väärtuse.",
+ "enter_your_text": "Sisesta oma tekst.",
+ "set_value": "Määra väärtus",
+ "clear_lock_user_code_description": "Kustutab lukust kasutajakoodi.",
+ "code_slot_description": "Koodipesa millesse kood määratakse.",
+ "code_slot": "Koodi pesa",
+ "clear_lock_user": "Kustuta luku kasutaja",
+ "disable_lock_user_code_description": "Keelab luku kasutajakoodi.",
+ "code_slot_to_disable": "Koodipesa keelamiseks.",
+ "disable_lock_user": "Keela lukustuse kasutaja",
+ "enable_lock_user_code_description": "Lubab lukus kasutajakoodi.",
+ "code_slot_to_enable": "Koodipesa lubamiseks.",
+ "enable_lock_user": "Luba lukustuse kasutaja",
+ "args_description": "Argumendid mida käsule edastada.",
+ "args": "Argumendid",
+ "cluster_id_description": "ZCL klaster atribuutide toomiseks.",
+ "cluster_id": "Klastri ID",
+ "type_of_the_cluster": "Klastri tüüp.",
+ "cluster_type": "Klastri tüüp",
+ "command_description": "Google Assistantile saadetavad käsud.",
+ "command": "Käsk",
+ "command_type_description": "Õpitava käsu tüüp.",
+ "command_type": "Käsu tüüp",
+ "endpoint_id_description": "Klastri lõpp-punkti ID.",
+ "endpoint_id": "Lõpp-punkti ID",
+ "ieee_description": "Seadme IEEE aadress.",
+ "ieee": "IEEE",
+ "params_description": "Käsule edastatavad parameetrid.",
+ "params": "Parameetrid",
+ "issue_zigbee_cluster_command": "Väljasta zigbee klastri käsk",
+ "group_description": "Rühma kuueteistkümnendsüsteemi aadress.",
+ "issue_zigbee_group_command": "Väljasta zigbee rühmakäsk",
+ "permit_description": "Võimaldab sõlmedel liituda Zigbee võrguga.",
+ "time_to_permit_joins": "Liitumiste lubamise aeg.",
+ "install_code": "Paigalduskood",
+ "qr_code": "QR kood",
+ "source_ieee": "Allikseadme IEEE",
+ "reconfigure_device": "Seadme ümberhäälestamine",
+ "remove_description": "Eemaldab sõlme Zigbee-võrgust.",
+ "set_lock_user_code_description": "Määrab lukule kasutajakoodi.",
+ "code_to_set": "Määratav kood.",
+ "set_lock_user_code": "Määra luku kasutajakood",
+ "attribute_description": "Määratava atribuudi ID.",
+ "value_description": "Määratav sihtväärtus.",
+ "set_zigbee_cluster_attribute": "Määra zigbee klastri atribuut",
+ "level": "Tase",
+ "strobe": "Stroboskoop",
+ "warning_device_squawk": "Hoiatusseadme heli",
+ "duty_cycle": "Täitetegur",
+ "intensity": "Intensiivsus",
+ "warning_device_starts_alert": "Hoiatusseade hoiatab",
"dump_log_objects": "Logi objektide salvestamine",
"log_current_tasks_description": "Logib kõik praegused asyncio ülesanded.",
"log_current_asyncio_tasks": "Logi praegused asyncio ülesanded",
@@ -3245,27 +3459,294 @@
"stop_logging_object_sources": "Objekti allikate logimise peatamine",
"stop_log_objects_description": "Peatab objektide kasvu logimise mällu.",
"stop_logging_objects": "Lõpeta objektide logimine",
+ "set_default_level_description": "Määrab sidumiste logimise vaiketaseme.",
+ "level_description": "Kõigi sidumiste vaikimisi tõsiduse aste.",
+ "set_default_level": "Määra vaiketase",
+ "set_level": "Määra tase",
+ "stops_a_running_script": "Peatab töötava skripti.",
+ "clear_skipped_update": "Vahelejäetud värskenduse kustutamine",
+ "install_update": "Paigaldage värskendus",
+ "skip_description": "Märgib praegu saadaoleva värskenduse vahelejäetuks.",
+ "skip_update": "Jäta värskendus vahele",
+ "decrease_speed_description": "Vähendab ventilaatori kiirust.",
+ "decrease_speed": "Vähenda kiirust",
+ "increase_speed_description": "Suurendab ventilaatori kiirust.",
+ "increase_speed": "Suurenda kiirust",
+ "oscillate_description": "Reguleerib ventilaatori võnkumist.",
+ "turns_oscillation_on_off": "Lülita võnkumine sisse/välja.",
+ "set_direction_description": "Määrab ventilaatori pöörlemissuuna.",
+ "direction_description": "Ventilaatori pöörlemissuund.",
+ "set_direction": "Määra suund",
+ "set_percentage_description": "Määrab ventilaatori kiiruse.",
+ "speed_of_the_fan": "Ventilaatori kiirus.",
+ "percentage": "Protsent",
+ "set_speed": "Määra kiirus",
+ "sets_preset_fan_mode": "Määrab eelseadistatud ventilaatorirežiimi.",
+ "preset_fan_mode": "Eelseadistatud ventilaatori režiim.",
+ "set_preset_mode": "Määra eelseadistatud režiim",
+ "toggles_a_fan_on_off": "Lülitab ventilaatori sisse/välja.",
+ "turns_fan_off": "Lülitab ventilaatori välja.",
+ "turns_fan_on": "Lülitab ventilaatori sisse.",
+ "set_datetime_description": "Määrab kuupäeva ja/või kellaaja.",
+ "the_target_date": "Sihtkuupäev.",
+ "datetime_description": "Sihtkuupäev ja -kellaaeg.",
+ "the_target_time": "Sihtaeg.",
+ "log_description": "Loob logiraamatusse kohandatud kirje.",
+ "entity_id_description": "Meediamängijad sõnumi esitamiseks.",
+ "message_description": "Teatise sõnumi sisu.",
+ "log": "Logikirjed",
+ "request_sync_description": "Saadab Google'ile käsu request_sync.",
+ "agent_user_id": "Agendi kasutaja ID",
+ "request_sync": "Taotle sünkroonimist",
+ "apply_description": "Aktiveerib stseeni koos konfiguratsiooniga.",
+ "entities_description": "Olemite loend ja nende sihtolek.",
+ "entities_state": "Olemite olek",
+ "apply": "Rakenda",
+ "creates_a_new_scene": "Loob uue stseeni.",
+ "entity_states": "Olemi olekud",
+ "scene_id_description": "Uue stseeni olemi ID.",
+ "scene_entity_id": "Stseeni olemi ID",
+ "entities_snapshot": "Olemite hetktõmmis",
+ "delete_description": "Kustutab dünaamiliselt loodud stseeni.",
+ "activates_a_scene": "Aktiveerib stseeni.",
"reload_themes_description": "Taaslaeb teemad YAML-i seadistustest.",
"reload_themes": "Taaslae teemad",
"name_of_a_theme": "Teema nimi.",
"set_the_default_theme": "Määra vaiketeema",
+ "decrement_description": "Vähendab praegust väärtust 1 sammu võrra.",
+ "increment_description": "Suurendab praegust väärtust 1 sammu võrra.",
+ "reset_description": "Lähtestab loenduri algväärtusele.",
+ "set_value_description": "Määrab numbri väärtuse.",
+ "check_configuration": "Konfiguratsiooni kontroll",
+ "reload_all": "Taaslae kõik",
+ "reload_config_entry_description": "Taaslaeb määratud konfiguratsioonikirje.",
+ "config_entry_id": "Konfiguratsioonikirje ID",
+ "reload_config_entry": "Taaslae konfiguratsiooni kirje",
+ "reload_core_config_description": "Taaslaeb põhikonfiguratsiooni YAML-i konfiguratsioonist.",
+ "reload_core_configuration": "Taaslae põhikonfiguratsioo",
+ "reload_custom_jinja_templates": "Taaslae kohandatud Jinja2 mallid",
+ "restarts_home_assistant": "Taaskäivitab Home Assistanti.",
+ "safe_mode_description": "Keela kohandatud sidumised ja kohandatud kaardid.",
+ "save_persistent_states": "Salvesta püsivad olekud",
+ "set_location_description": "Uuendab Home Assistanti asukohta.",
+ "elevation_description": "Asukoha kõrgus merepinnast.",
+ "latitude_of_your_location": "Asukoha laiuskraad.",
+ "longitude_of_your_location": "Asukoha pikkuskraad.",
+ "set_location": "Määra asukoht",
+ "stops_home_assistant": "Seiskab Home Assistanti.",
+ "generic_toggle": "Üldine lülitamine",
+ "generic_turn_off": "Üldine väljalülitamine",
+ "generic_turn_on": "Üldine sisselülitamine",
+ "entities_to_update": "Värskendatavad olemid",
+ "update_entity": "Värskenda olemit",
+ "notify_description": "Saadab valitud sihtmärkidele teavitussõnumi.",
+ "data": "Andmed",
+ "title_of_the_notification": "Teatise pealkiri.",
+ "send_a_persistent_notification": "Saada püsiteatis",
+ "sends_a_notification_message": "Saadab teavitussõnumi.",
+ "your_notification_message": "Teavitussõnum.",
+ "title_description": "Teatise valikuline pealkiri.",
+ "send_a_notification_message": "Saada teavitussõnum",
+ "send_magic_packet": "Saada maagiline pakett",
+ "topic_to_listen_to": "Teema mida kuulata.",
+ "export": "Ekspordi",
+ "publish_description": "Avaldab sõnumi MQTT teemasse.",
+ "evaluate_payload": "Hinda payloadi",
+ "the_payload_to_publish": "Avaldatav väärtus.",
+ "qos": "QoS",
+ "retain": "Säilita",
+ "topic_to_publish_to": "Teema avaldamiseks.",
+ "load_url_description": "Laaeb URL aadressi Fully Kioski brauserisse.",
+ "url_to_load": "Laetav URL.",
+ "load_url": "Laadi URL",
+ "configuration_parameter_to_set": "Määratav seadeparameeter.",
+ "key": "Võti",
+ "set_configuration": "Määra sätted",
+ "application_description": "Käivitatava rakenduse paketi nimi.",
+ "start_application": "Käivita rakendus",
+ "battery_description": "Seadme aku laetus.",
+ "gps_coordinates": "GPS koordinaadid",
+ "gps_accuracy_description": "GPS-koordinaatide täpsus.",
+ "hostname_of_the_device": "Seadme hostinimi.",
+ "hostname": "Hostinimi",
+ "mac_description": "Seadme MAC-aadress.",
+ "see": "Vaata",
+ "device_description": "Seadme ID, millele käsk saata.",
+ "delete_command": "Kustuta käsk",
+ "alternative": "Alternatiiv",
+ "timeout_description": "Käsu õppimise ajalõpp.",
+ "learn_command": "Õpi käsk",
+ "delay_seconds": "Viivitus sekundites",
+ "hold_seconds": "Oota sekundites",
+ "send_command": "Saada käsk",
+ "sends_the_toggle_command": "Lülitab seadme sisse/välja.",
+ "turn_on_description": "Alustab uut puhastustööd.",
+ "get_weather_forecast": "Hangi ilmateade.",
+ "type_description": "Ilmateate tüüp: igapäevane, tunnipõhine või kaks korda päevas.",
+ "forecast_type": "Ilmateate tüüp",
+ "get_forecast": "Hangi ilmateade",
+ "get_weather_forecasts": "Hangi ilmaennustused.",
+ "press_the_button_entity": "Vajuta nupu olemit.",
+ "enable_remote_access": "Luba kaugjuurdepääs",
+ "disable_remote_access": "Kaugjuurdepääsu keelamine",
+ "create_description": "Kuvab märguande teavituste paneelil.",
+ "notification_id": "Teavituse ID",
+ "dismiss_description": "Kustutab teatise teavituste paneelilt.",
+ "notification_id_description": "Kustutatava teatise ID.",
+ "dismiss_all_description": "Kustutab kõik teatised teavituste paneelilt.",
+ "locate_description": "Leiab tolmuimeja roboti.",
+ "pauses_the_cleaning_task": "Peatab puhastustoimingu.",
+ "send_command_description": "Saadab tolmuimejale käsu.",
+ "set_fan_speed": "Määra ventilaatori kiirus",
+ "start_description": "Alustab või jätkab puhastustööd.",
+ "start_pause_description": "Käivitab, peatab või jätkab puhastustööd.",
+ "stop_description": "Peatab praeguse puhastustöö.",
+ "toggle_description": "Lülitab meediamängija sisse/välja.",
+ "play_chime_description": "Esitab helina Reolink Chime's.",
+ "target_chime": "Helisev seade",
+ "ringtone_to_play": "Esitatav helin",
+ "ringtone": "Helin",
+ "play_chime": "Esita helisignaal",
+ "ptz_move_description": "Liigutab kaamerat etteantud kiirusega.",
+ "ptz_move_speed": "PTZ liikumise kiirus.",
+ "ptz_move": "PTZ liikumine",
+ "disables_the_motion_detection": "Keelab liikumise tuvastamise.",
+ "disable_motion_detection": "Keela liikumise tuvastamine",
+ "enables_the_motion_detection": "Lubab liikumise tuvastamise.",
+ "enable_motion_detection": "Luba liikumise tuvastamine",
+ "format_description": "Meediamängija toetatud voovorming.",
+ "format": "Vorming",
+ "media_player_description": "Meediamängijad kuhu voogesitada.",
+ "play_stream": "Esita voogu",
+ "filename_description": "Täielik tee failinime juurde. Peab olema mp4.",
+ "filename": "Faili nimi",
+ "lookback": "Tagasivaade",
+ "snapshot_description": "Teeb kaamerast hetktõmmise.",
+ "full_path_to_filename": "Täielik tee failinime juurde.",
+ "take_snapshot": "Tee hetktõmmis",
+ "turns_off_the_camera": "Lülitab kaamera välja.",
+ "turns_on_the_camera": "Lülitab kaamera sisse.",
+ "reload_resources_description": "Taaslaeb töölaua ressursid YAML-konfiguratsioonist.",
"clear_tts_cache": "Tühjenda TTS vahemälu",
"cache": "Vahemälu",
"language_description": "Teksti keel. Vaikimisi on serveri keel.",
"options_description": "Integratsioonispetsiifilisi valikuid sisaldav sõnastik.",
"say_a_tts_message": "Ütle TTS-sõnum",
- "media_player_entity_id_description": "Meediamängijad sõnumi esitamiseks.",
"media_player_entity": "Meediamängija olem",
"speak": "Räägi",
- "reload_resources_description": "Taaslaeb töölaua ressursid YAML-konfiguratsioonist.",
- "toggles_the_siren_on_off": "Lülitab sireeni sisse/välja.",
- "turns_the_siren_off": "Lülitab sireeni välja.",
- "turns_the_siren_on": "Lülitab sireeni sisse.",
- "toggles_the_helper_on_off": "Lülitab abistaja sisse/välja.",
- "turns_off_the_helper": "Lülitab abistaja välja.",
- "turns_on_the_helper": "Lülitab abistaja sisse.",
- "pauses_the_mowing_task": "Peatab niitmise.",
- "starts_the_mowing_task": "Alustab niitmistegevust.",
+ "send_text_command": "Saada tekstikäsk",
+ "the_target_value": "Sihtväärtus.",
+ "removes_a_group": "Eemaldab rühma.",
+ "object_id": "Objekti ID",
+ "creates_updates_a_group": "Loob/värskendab rühma.",
+ "add_entities": "Olemite lisamine",
+ "icon_description": "Rühma ikooni nimi.",
+ "name_of_the_group": "Rühma nimi.",
+ "remove_entities": "Olemite eemaldamine",
+ "locks_a_lock": "Lukustab luku.",
+ "code_description": "Kood alarmi valvestamiseks.",
+ "opens_a_lock": "Avab luku.",
+ "announce_description": "Lase satelliidil teatada sõnum.",
+ "media_id": "Meedia ID",
+ "the_message_to_announce": "Sõnum mida kuulutada.",
+ "announce": "Teavita",
+ "reloads_the_automation_configuration": "Taaslaeb automatiseeringu sätted.",
+ "trigger_description": "Käivitab automaatiseeringu toimingud.",
+ "skip_conditions": "Jäta tingimused vahele",
+ "trigger": "Päästik",
+ "disables_an_automation": "Keelab automatiseeringu.",
+ "stops_currently_running_actions": "Peatab hetkel käimasolevad tegevused.",
+ "stop_actions": "Peata toimingud",
+ "enables_an_automation": "Lubab automatiseeringu.",
+ "deletes_all_log_entries": "Kustutab kõik logikirjed.",
+ "write_log_entry": "Kirjuta logikirje.",
+ "log_level": "Logi tase.",
+ "message_to_log": "Sõnum logisse.",
+ "dashboard_path": "Töölaua rada",
+ "view_path": "Vaata rada",
+ "show_dashboard_view": "Töölauavaate kuvamine",
+ "process_description": "Käivitab vestluse sisestatud tekstist.",
+ "agent": "Teostaja",
+ "conversation_id": "Vestluse ID",
+ "transcribed_text_input": "Trükitud tekstisisestus.",
+ "process": "Edenemine",
+ "reloads_the_intent_configuration": "Taaslaeb kavatsuse konfiguratsiooni.",
+ "conversation_agent_to_reload": "Uuesti laaditav vestlusagent.",
+ "closes_a_cover": "Sulgeb katte.",
+ "close_cover_tilt_description": "Sulgemiseks kallutab katet.",
+ "close_tilt": "Sulge kallutus",
+ "opens_a_cover": "Avab katte.",
+ "tilts_a_cover_open": "Kallutab katte lahti.",
+ "open_tilt": "Ava kalle",
+ "set_cover_position_description": "Liigutab katte kindlasse asendisse.",
+ "target_position": "Sihtasend.",
+ "set_position": "Määra asend",
+ "target_tilt_positition": "Sihtkalde asend.",
+ "set_tilt_position": "Seadke kaldeasend",
+ "stops_the_cover_movement": "Peatab katte liikumise.",
+ "stop_cover_tilt_description": "Peatab katte kallutatava liikumise.",
+ "stop_tilt": "Peata kallutamine",
+ "toggles_a_cover_open_closed": "Lülitab katte avamise/sulgemise.",
+ "toggle_cover_tilt_description": "Lülitab kardina kallutamise avamise/sulgemise sisse.",
+ "toggle_tilt": "Kallutamise sisse- ja väljalülitamine",
+ "turns_auxiliary_heater_on_off": "Lülitab lisasoojendi sisse/välja.",
+ "aux_heat_description": "Uus lisasoojendi väärtus.",
+ "auxiliary_heating": "Lisasoojendi",
+ "turn_on_off_auxiliary_heater": "Lülita lisasoojendi sisse/välja",
+ "sets_fan_operation_mode": "Määrab ventilaatori töörežiimi.",
+ "fan_operation_mode": "Ventilaatori töörežiim.",
+ "set_fan_mode": "Määra ventilaatori režiim",
+ "sets_target_humidity": "Määrab soovitud niiskuse",
+ "set_target_humidity": "Määra soovitud õhuniiskus",
+ "sets_hvac_operation_mode": "Määrab kliimaseadme töörežiimi.",
+ "hvac_operation_mode": "Kliimaseadme töörežiim.",
+ "set_hvac_mode": "Määra kliimaseadme režiim",
+ "sets_preset_mode": "Määrab eelseadistatud režiimi.",
+ "set_swing_horizontal_mode_description": "Seadistab horisontaalse kiikumise töörežiimi.",
+ "horizontal_swing_operation_mode": "Horisontaalne kiikumise töörežiim.",
+ "set_horizontal_swing_mode": "Seadista horisontaalne kiikumisrežiim",
+ "sets_swing_operation_mode": "Määrab õõtsumise režiimi.",
+ "swing_operation_mode": "Õõtsumisrežiim.",
+ "set_swing_mode": "Määra õõtsumisrežiim",
+ "sets_the_temperature_setpoint": "Määrab temperatuuri sättepunkti.",
+ "the_max_temperature_setpoint": "Maksimaalne temperatuuri seadepunkt.",
+ "the_min_temperature_setpoint": "Minimaalne temperatuuri seadepunkt.",
+ "the_temperature_setpoint": "Temperatuuri seadepunkt.",
+ "set_target_temperature": "Määra soovitud temperatuur",
+ "turns_climate_device_off": "Lülitab kliimaseadme välja.",
+ "turns_climate_device_on": "Lülitab kliimaseadme sisse.",
+ "apply_filter": "Rakenda filter",
+ "days_to_keep": "Salvestatud päevade arv",
+ "repack": "Tihendamine",
+ "domains_to_remove": "Eemaldatavad domeenid",
+ "entity_globs_to_remove": "Olemite grupp eemaldamiseks",
+ "entities_to_remove": "Eemaldatavad olemid",
+ "purge_entities": "Puhasta üksused",
+ "clear_playlist_description": "Eemaldab esitusloendist kõik üksused.",
+ "clear_playlist": "Tühjenda esitusloend",
+ "selects_the_next_track": "Valib järgmise pala.",
+ "pauses": "Paneb pausile.",
+ "starts_playing": "Alustab esitamist.",
+ "toggles_play_pause": "Lülitab esitamise/pausi vahel.",
+ "selects_the_previous_track": "Valib eelmise pala.",
+ "seek": "Otsi",
+ "stops_playing": "Lõpetab mängimise.",
+ "starts_playing_specified_media": "Alustab määratud meedia esitamist.",
+ "enqueue": "Pane järjekorda",
+ "repeat_mode_to_set": "Kordusrežiimi seadistamine.",
+ "select_sound_mode_description": "Valib kindla helirežiimi.",
+ "select_sound_mode": "Vali helirežiim",
+ "select_source": "Vali allikas",
+ "shuffle_description": "Kas juhuesitusrežiim on lubatud või mitte.",
+ "turns_down_the_volume": "Vähendab helitugevust.",
+ "turn_down_volume": "Vähenda helitugevust",
+ "volume_mute_description": "Vaigistab või tühistab meediamängija vaigistamise.",
+ "is_volume_muted_description": "Määrab, kas see on vaigistatud või mitte.",
+ "mute_unmute_volume": "Heli vaigistamine/vaigistuse tühistamine",
+ "sets_the_volume_level": "Määrab helitugevuse taseme.",
+ "set_volume": "Määra helitugevus",
+ "turns_up_the_volume": "Suurendab helitugevust.",
+ "turn_up_volume": "Suurenda helitugevust",
"restarts_an_add_on": "Taaskäivitab lisandmooduli.",
"the_add_on_to_restart": "Taaskäivitatav lisandmoodul.",
"restart_add_on": "Taaskäivita lisandmoodul",
@@ -3304,39 +3785,6 @@
"restore_partial_description": "Taastab osalisest varukoopiast.",
"restores_home_assistant": "Taastab Home Assistanti paigalduse.",
"restore_from_partial_backup": "Taasta osalisest varukoopiast",
- "decrease_speed_description": "Vähendab ventilaatori kiirust.",
- "decrease_speed": "Vähenda kiirust",
- "increase_speed_description": "Suurendab ventilaatori kiirust.",
- "increase_speed": "Suurenda kiirust",
- "oscillate_description": "Reguleerib ventilaatori võnkumist.",
- "turns_oscillation_on_off": "Lülita võnkumine sisse/välja.",
- "set_direction_description": "Määrab ventilaatori pöörlemissuuna.",
- "direction_description": "Ventilaatori pöörlemissuund.",
- "set_direction": "Määra suund",
- "set_percentage_description": "Määrab ventilaatori kiiruse.",
- "speed_of_the_fan": "Ventilaatori kiirus.",
- "percentage": "Protsent",
- "set_speed": "Määra kiirus",
- "sets_preset_fan_mode": "Määrab eelseadistatud ventilaatorirežiimi.",
- "preset_fan_mode": "Eelseadistatud ventilaatori režiim.",
- "toggles_a_fan_on_off": "Lülitab ventilaatori sisse/välja.",
- "turns_fan_off": "Lülitab ventilaatori välja.",
- "turns_fan_on": "Lülitab ventilaatori sisse.",
- "get_weather_forecast": "Hangi ilmateade.",
- "type_description": "Ilmateate tüüp: igapäevane, tunnipõhine või kaks korda päevas.",
- "forecast_type": "Ilmateate tüüp",
- "get_forecast": "Hangi ilmateade",
- "get_weather_forecasts": "Hangi ilmaennustused.",
- "clear_skipped_update": "Vahelejäetud värskenduse kustutamine",
- "install_update": "Paigaldage värskendus",
- "skip_description": "Märgib praegu saadaoleva värskenduse vahelejäetuks.",
- "skip_update": "Jäta värskendus vahele",
- "code_description": "Luku avamiseks kasutatav kood.",
- "arm_with_custom_bypass": "Valvesta valikuliselt",
- "alarm_arm_vacation_description": "Seadistab valvestamise: Aktiveeritud puhkuse ajaks.",
- "disarms_the_alarm": "Lülitab valve välja.",
- "trigger_the_alarm_manually": "Käivita alarm käsitsi.",
- "trigger": "Päästik",
"selects_the_first_option": "Teeb esimese valiku.",
"first": "Esimene",
"selects_the_last_option": "Teeb viimase valiku.",
@@ -3344,73 +3792,16 @@
"selects_an_option": "Teeb valiku.",
"option_to_be_selected": "Valitav suvand.",
"selects_the_previous_option": "Eelmise suvandi valimine",
- "disables_the_motion_detection": "Keelab liikumise tuvastamise.",
- "disable_motion_detection": "Keela liikumise tuvastamine",
- "enables_the_motion_detection": "Lubab liikumise tuvastamise.",
- "enable_motion_detection": "Luba liikumise tuvastamine",
- "format_description": "Meediamängija toetatud voovorming.",
- "format": "Vorming",
- "media_player_description": "Meediamängijad kuhu voogesitada.",
- "play_stream": "Esita voogu",
- "filename_description": "Täielik tee failinime juurde. Peab olema mp4.",
- "filename": "Faili nimi",
- "lookback": "Tagasivaade",
- "snapshot_description": "Teeb kaamerast hetktõmmise.",
- "full_path_to_filename": "Täielik tee failinime juurde.",
- "take_snapshot": "Tee hetktõmmis",
- "turns_off_the_camera": "Lülitab kaamera välja.",
- "turns_on_the_camera": "Lülitab kaamera sisse.",
- "press_the_button_entity": "Vajuta nupu olemit.",
+ "add_event_description": "Lisab uue kalendrisündmuse.",
+ "location_description": "Ürituse toimumiskoht. Vabatahtlik.",
"start_date_description": "Kogu päeva kestva ürituse alguskuupäev.",
+ "create_event": "Loo sündmus",
"get_events": "Hangi sündmusi",
- "select_the_next_option": "Tee järgmine valik.",
- "sets_the_options": "Määrab valikud.",
- "list_of_options": "Valikute loend.",
- "set_options": "Määra valikud",
- "closes_a_cover": "Sulgeb katte.",
- "close_cover_tilt_description": "Sulgemiseks kallutab katet.",
- "close_tilt": "Sulge kallutus",
- "opens_a_cover": "Avab katte.",
- "tilts_a_cover_open": "Kallutab katte lahti.",
- "open_tilt": "Ava kalle",
- "set_cover_position_description": "Liigutab katte kindlasse asendisse.",
- "target_tilt_positition": "Sihtkalde asend.",
- "set_tilt_position": "Seadke kaldeasend",
- "stops_the_cover_movement": "Peatab katte liikumise.",
- "stop_cover_tilt_description": "Peatab katte kallutatava liikumise.",
- "stop_tilt": "Peata kallutamine",
- "toggles_a_cover_open_closed": "Lülitab katte avamise/sulgemise.",
- "toggle_cover_tilt_description": "Lülitab kardina kallutamise avamise/sulgemise sisse.",
- "toggle_tilt": "Kallutamise sisse- ja väljalülitamine",
- "request_sync_description": "Saadab Google'ile käsu request_sync.",
- "agent_user_id": "Agendi kasutaja ID",
- "request_sync": "Taotle sünkroonimist",
- "log_description": "Loob logiraamatusse kohandatud kirje.",
- "message_description": "Teatise sõnumi sisu.",
- "log": "Logikirjed",
- "enter_your_text": "Sisesta oma tekst.",
- "set_value": "Määra väärtus",
- "topic_to_listen_to": "Teema mida kuulata.",
- "export": "Ekspordi",
- "publish_description": "Avaldab sõnumi MQTT teemasse.",
- "evaluate_payload": "Hinda payloadi",
- "the_payload_to_publish": "Avaldatav väärtus.",
- "qos": "QoS",
- "retain": "Säilita",
- "topic_to_publish_to": "Teema avaldamiseks.",
- "reloads_the_automation_configuration": "Taaslaeb automatiseeringu sätted.",
- "trigger_description": "Käivitab automaatiseeringu toimingud.",
- "skip_conditions": "Jäta tingimused vahele",
- "disables_an_automation": "Keelab automatiseeringu.",
- "stops_currently_running_actions": "Peatab hetkel käimasolevad tegevused.",
- "stop_actions": "Peata toimingud",
- "enables_an_automation": "Lubab automatiseeringu.",
- "enable_remote_access": "Luba kaugjuurdepääs",
- "disable_remote_access": "Kaugjuurdepääsu keelamine",
- "set_default_level_description": "Määrab sidumiste logimise vaiketaseme.",
- "level_description": "Kõigi sidumiste vaikimisi tõsiduse aste.",
- "set_default_level": "Määra vaiketase",
- "set_level": "Määra tase",
+ "closes_a_valve": "Sulgeb ventiili.",
+ "opens_a_valve": "Avab ventiili.",
+ "set_valve_position_description": "Liigutab ventiili kindlasse asendisse.",
+ "stops_the_valve_movement": "Peatab ventiili liikumise.",
+ "toggles_a_valve_open_closed": "Ventiili avamine/sulgemine.",
"bridge_identifier": "Silla identifikaator",
"configuration_payload": "Sätete andmed",
"entity_description": "Tähistab deCONZis konkreetset seadme lõpp-punkti.",
@@ -3419,79 +3810,32 @@
"device_refresh_description": "Värskendab deCONZi saadaolevaid seadmeid.",
"device_refresh": "Seadme värskendamine",
"remove_orphaned_entries": "Eemalda orvuks jäänud kirjed",
- "locate_description": "Leiab tolmuimeja roboti.",
- "pauses_the_cleaning_task": "Peatab puhastustoimingu.",
- "send_command_description": "Saadab tolmuimejale käsu.",
- "command_description": "Google Assistantile saadetavad käsud.",
- "parameters": "Parameetrid",
- "set_fan_speed": "Määra ventilaatori kiirus",
- "start_description": "Alustab või jätkab puhastustööd.",
- "start_pause_description": "Käivitab, peatab või jätkab puhastustööd.",
- "stop_description": "Peatab praeguse puhastustöö.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Lülitab lüliti sisse/välja.",
- "turns_a_switch_off": "Lülitab lüliti välja.",
- "turns_a_switch_on": "Lülitab lüliti sisse.",
+ "calendar_id_description": "Soovitud kalendri ID.",
+ "calendar_id": "Kalendri ID",
+ "description_description": "Sündmuse kirjeldus. Valikuline.",
+ "summary_description": "Toimib sündmuse pealkirjana.",
"extract_media_url_description": "Meediumi URL-i hankimine teenusest.",
"format_query": "Vorminda päring",
"url_description": "URL kust meediat võib leida.",
"media_url": "Meedia URL",
"get_media_url": "Hangi meedia URL",
"play_media_description": "Laeb faili antud URL-ilt alla.",
- "notify_description": "Saadab valitud sihtmärkidele teavitussõnumi.",
- "data": "Andmed",
- "title_of_the_notification": "Teatise pealkiri.",
- "send_a_persistent_notification": "Saada püsiteatis",
- "sends_a_notification_message": "Saadab teavitussõnumi.",
- "your_notification_message": "Teavitussõnum.",
- "title_description": "Teatise valikuline pealkiri.",
- "send_a_notification_message": "Saada teavitussõnum",
- "process_description": "Käivitab vestluse sisestatud tekstist.",
- "agent": "Teostaja",
- "conversation_id": "Vestluse ID",
- "transcribed_text_input": "Trükitud tekstisisestus.",
- "process": "Edenemine",
- "reloads_the_intent_configuration": "Taaslaeb kavatsuse konfiguratsiooni.",
- "conversation_agent_to_reload": "Uuesti laaditav vestlusagent.",
- "play_chime_description": "Esitab helina Reolink Chime's.",
- "target_chime": "Helisev seade",
- "ringtone_to_play": "Esitatav helin",
- "ringtone": "Helin",
- "play_chime": "Esita helisignaal",
- "ptz_move_description": "Liigutab kaamerat etteantud kiirusega.",
- "ptz_move_speed": "PTZ liikumise kiirus.",
- "ptz_move": "PTZ liikumine",
- "send_magic_packet": "Saada maagiline pakett",
- "send_text_command": "Saada tekstikäsk",
- "announce_description": "Lase satelliidil teatada sõnum.",
- "media_id": "Meedia ID",
- "the_message_to_announce": "Sõnum mida kuulutada.",
- "deletes_all_log_entries": "Kustutab kõik logikirjed.",
- "write_log_entry": "Kirjuta logikirje.",
- "log_level": "Logi tase.",
- "message_to_log": "Sõnum logisse.",
- "locks_a_lock": "Lukustab luku.",
- "opens_a_lock": "Avab luku.",
- "removes_a_group": "Eemaldab rühma.",
- "object_id": "Objekti ID",
- "creates_updates_a_group": "Loob/värskendab rühma.",
- "add_entities": "Olemite lisamine",
- "icon_description": "Rühma ikooni nimi.",
- "name_of_the_group": "Rühma nimi.",
- "remove_entities": "Olemite eemaldamine",
- "stops_a_running_script": "Peatab töötava skripti.",
- "create_description": "Kuvab märguande teavituste paneelil.",
- "notification_id": "Teavituse ID",
- "dismiss_description": "Kustutab teatise teavituste paneelilt.",
- "notification_id_description": "Kustutatava teatise ID.",
- "dismiss_all_description": "Kustutab kõik teatised teavituste paneelilt.",
- "load_url_description": "Laaeb URL aadressi Fully Kioski brauserisse.",
- "url_to_load": "Laetav URL.",
- "load_url": "Laadi URL",
- "configuration_parameter_to_set": "Määratav seadeparameeter.",
- "key": "Võti",
- "set_configuration": "Määra sätted",
- "application_description": "Käivitatava rakenduse paketi nimi.",
- "start_application": "Käivita rakendus"
+ "select_the_next_option": "Tee järgmine valik.",
+ "sets_the_options": "Määrab valikud.",
+ "list_of_options": "Valikute loend.",
+ "set_options": "Määra valikud",
+ "arm_with_custom_bypass": "Valvesta valikuliselt",
+ "alarm_arm_vacation_description": "Seadistab valvestamise: Aktiveeritud puhkuse ajaks.",
+ "disarms_the_alarm": "Lülitab valve välja.",
+ "trigger_the_alarm_manually": "Käivita alarm käsitsi.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Lõpetab taimeri plaanitust varem.",
+ "duration_description": "Kohandatud kestus taimeri taaskäivitamiseks.",
+ "toggles_a_switch_on_off": "Lülitab lüliti sisse/välja.",
+ "turns_a_switch_off": "Lülitab lüliti välja.",
+ "turns_a_switch_on": "Lülitab lüliti sisse."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/eu/eu.json b/packages/core/src/hooks/useLocale/locales/eu/eu.json
index 0223e306..43e1c6e8 100644
--- a/packages/core/src/hooks/useLocale/locales/eu/eu.json
+++ b/packages/core/src/hooks/useLocale/locales/eu/eu.json
@@ -751,7 +751,7 @@
"can_not_skip_version": "Can not skip version",
"update_instructions": "Update instructions",
"current_activity": "Current activity",
- "status": "Status",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Vacuum cleaner commands:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -869,7 +869,7 @@
"restart_home_assistant": "Restart Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Quick reload",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Reloading configuration",
"failed_to_reload_configuration": "Failed to reload configuration",
"restart_description": "Interrupts all running automations and scripts.",
@@ -897,8 +897,8 @@
"password": "Password",
"regex_pattern": "Regex pattern",
"used_for_client_side_validation": "Used for client-side validation",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Input field",
"slider": "Slider",
"step_size": "Step size",
@@ -1503,141 +1503,120 @@
"compare_data": "Compare data",
"ui_panel_lovelace_components_energy_period_selector_today": "Gaur",
"reload_ui": "Reload UI",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
+ "scene": "Scene",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climate",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climate",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1666,6 +1645,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1691,31 +1671,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Next dawn",
- "next_dusk": "Next dusk",
- "next_midnight": "Next midnight",
- "next_noon": "Next noon",
- "next_rising": "Next rising",
- "next_setting": "Next setting",
- "solar_azimuth": "Solar azimuth",
- "solar_elevation": "Solar elevation",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1737,34 +1702,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Plugged in",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1838,6 +1845,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1888,7 +1896,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1905,6 +1912,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Next dawn",
+ "next_dusk": "Next dusk",
+ "next_midnight": "Next midnight",
+ "next_noon": "Next noon",
+ "next_rising": "Next rising",
+ "next_setting": "Next setting",
+ "solar_azimuth": "Solar azimuth",
+ "solar_elevation": "Solar elevation",
+ "solar_rising": "Solar rising",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1924,73 +1974,251 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Plugged in",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Paused",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -2023,84 +2251,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Current humidity",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Current action",
- "cooling": "Cooling",
- "defrosting": "Defrosting",
- "drying": "Drying",
- "heating": "Heating",
- "preheating": "Preheating",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Both",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Not charging",
- "disconnected": "Disconnected",
- "connected": "Connected",
- "hot": "Hot",
- "no_light": "No light",
- "light_detected": "Light detected",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "Not moving",
- "unplugged": "Unplugged",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Above horizon",
- "below_horizon": "Below horizon",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2116,13 +2272,36 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "available_tones": "Available tones",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Clear, night",
"cloudy": "Cloudy",
"exceptional": "Exceptional",
@@ -2145,26 +2324,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "disarming": "Disarming",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2173,65 +2335,112 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locked": "Locked",
+ "locking": "Locking",
+ "unlocked": "Unlocked",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Current humidity",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Current action",
+ "cooling": "Cooling",
+ "defrosting": "Defrosting",
+ "drying": "Drying",
+ "heating": "Heating",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Both",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Not charging",
+ "disconnected": "Disconnected",
+ "connected": "Connected",
+ "hot": "Hot",
+ "no_light": "No light",
+ "light_detected": "Light detected",
+ "not_moving": "Not moving",
+ "unplugged": "Unplugged",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Above horizon",
+ "below_horizon": "Below horizon",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Disarming",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2242,27 +2451,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2270,68 +2481,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2358,48 +2528,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Bridge is already configured",
- "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Couldn't get an API key",
- "link_with_deconz": "Link with deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2407,128 +2576,161 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "Bridge is already configured",
+ "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Couldn't get an API key",
+ "link_with_deconz": "Link with deCONZ",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Enable birth message",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Enable will message",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
"samsungtv_smart_options": "SamsungTV Smart options",
"data_use_st_status_info": "Use SmartThings TV Status information",
"data_use_st_channel_info": "Use SmartThings TV Channels information",
@@ -2556,28 +2758,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Enable birth message",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Enable will message",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2585,26 +2765,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2699,6 +2964,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
+ "increase_entity_name_brightness": "Increase {entity_name} brightness",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "First button",
+ "second_button": "Second button",
+ "third_button": "Third button",
+ "fourth_button": "Fourth button",
+ "fifth_button": "Fifth button",
+ "sixth_button": "Sixth button",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} is home",
+ "entity_name_is_not_home": "{entity_name} is not home",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} is cleaning",
+ "entity_name_is_docked": "{entity_name} is docked",
+ "entity_name_started_cleaning": "{entity_name} started cleaning",
+ "entity_name_docked": "{entity_name} docked",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} is locked",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is unlocked",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opened",
+ "entity_name_unlocked": "{entity_name} unlocked",
"action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
"change_preset_on_entity_name": "Change preset on {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2706,8 +3024,22 @@
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Close {entity_name} tilt",
+ "open_entity_name_tilt": "Open {entity_name} tilt",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Set {entity_name} tilt position",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} is closed",
+ "entity_name_is_closing": "{entity_name} is closing",
+ "entity_name_is_opening": "{entity_name} is opening",
+ "current_entity_name_position_is": "Current {entity_name} position is",
+ "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
+ "entity_name_closed": "{entity_name} closed",
+ "entity_name_closing": "{entity_name} closing",
+ "entity_name_opening": "{entity_name} opening",
+ "entity_name_position_changes": "{entity_name} position changes",
+ "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
"entity_name_battery_is_low": "{entity_name} battery is low",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2716,7 +3048,6 @@
"entity_name_is_detecting_gas": "{entity_name} is detecting gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} is detecting light",
- "entity_name_is_locked": "{entity_name} is locked",
"entity_name_is_moist": "{entity_name} is moist",
"entity_name_is_detecting_motion": "{entity_name} is detecting motion",
"entity_name_is_moving": "{entity_name} is moving",
@@ -2734,11 +3065,9 @@
"entity_name_is_not_cold": "{entity_name} is not cold",
"entity_name_is_disconnected": "{entity_name} is disconnected",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} is unlocked",
"entity_name_is_dry": "{entity_name} is dry",
"entity_name_is_not_moving": "{entity_name} is not moving",
"entity_name_is_not_occupied": "{entity_name} is not occupied",
- "entity_name_is_closed": "{entity_name} is closed",
"entity_name_is_unplugged": "{entity_name} is unplugged",
"entity_name_is_not_powered": "{entity_name} is not powered",
"entity_name_is_not_present": "{entity_name} is not present",
@@ -2746,7 +3075,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} is occupied",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is plugged in",
"entity_name_is_powered": "{entity_name} is powered",
"entity_name_is_present": "{entity_name} is present",
@@ -2766,7 +3094,6 @@
"entity_name_started_detecting_gas": "{entity_name} started detecting gas",
"entity_name_became_hot": "{entity_name} became hot",
"entity_name_started_detecting_light": "{entity_name} started detecting light",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} started detecting motion",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2777,18 +3104,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} became not hot",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} closed",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
@@ -2796,7 +3120,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} plugged in",
"entity_name_powered": "{entity_name} powered",
"entity_name_present": "{entity_name} present",
@@ -2804,46 +3127,16 @@
"entity_name_started_running": "{entity_name} started running",
"entity_name_started_detecting_smoke": "{entity_name} started detecting smoke",
"entity_name_started_detecting_sound": "{entity_name} started detecting sound",
- "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
- "entity_name_became_unsafe": "{entity_name} became unsafe",
- "trigger_type_update": "{entity_name} got an update available",
- "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
- "entity_name_is_buffering": "{entity_name} is buffering",
- "entity_name_is_idle": "{entity_name} is idle",
- "entity_name_is_paused": "{entity_name} is paused",
- "entity_name_is_playing": "{entity_name} is playing",
- "entity_name_starts_buffering": "{entity_name} starts buffering",
- "entity_name_becomes_idle": "{entity_name} becomes idle",
- "entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} is home",
- "entity_name_is_not_home": "{entity_name} is not home",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
- "increase_entity_name_brightness": "Increase {entity_name} brightness",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Disarm {entity_name}",
- "trigger_entity_name": "Trigger {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} is disarmed",
- "entity_name_is_triggered": "{entity_name} is triggered",
- "entity_name_armed_away": "{entity_name} armed away",
- "entity_name_armed_home": "{entity_name} armed home",
- "entity_name_armed_night": "{entity_name} armed night",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} disarmed",
- "entity_name_triggered": "{entity_name} triggered",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
+ "entity_name_became_unsafe": "{entity_name} became unsafe",
+ "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
+ "entity_name_is_buffering": "{entity_name} is buffering",
+ "entity_name_is_idle": "{entity_name} is idle",
+ "entity_name_is_paused": "{entity_name} is paused",
+ "entity_name_is_playing": "{entity_name} is playing",
+ "entity_name_starts_buffering": "{entity_name} starts buffering",
+ "entity_name_becomes_idle": "{entity_name} becomes idle",
+ "entity_name_starts_playing": "{entity_name} starts playing",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2853,35 +3146,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Close {entity_name} tilt",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Open {entity_name} tilt",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Set {entity_name} tilt position",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} is closing",
- "entity_name_is_opening": "{entity_name} is opening",
- "current_entity_name_position_is": "Current {entity_name} position is",
- "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
- "entity_name_closing": "{entity_name} closing",
- "entity_name_opening": "{entity_name} opening",
- "entity_name_position_changes": "{entity_name} position changes",
- "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Both buttons",
"bottom_buttons": "Bottom buttons",
"seventh_button": "Seventh button",
@@ -2906,13 +3170,6 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} is cleaning",
- "entity_name_is_docked": "{entity_name} is docked",
- "entity_name_started_cleaning": "{entity_name} started cleaning",
- "entity_name_docked": "{entity_name} docked",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2923,29 +3180,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Disarm {entity_name}",
+ "trigger_entity_name": "Trigger {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} is disarmed",
+ "entity_name_is_triggered": "{entity_name} is triggered",
+ "entity_name_armed_away": "{entity_name} armed away",
+ "entity_name_armed_home": "{entity_name} armed home",
+ "entity_name_armed_night": "{entity_name} armed night",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} disarmed",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "Device dropped",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Device tilted",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3076,52 +3358,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3138,6 +3390,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3148,102 +3401,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3256,25 +3418,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3300,27 +3507,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3359,40 +3847,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3400,77 +3854,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3479,83 +3872,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/fa/fa.json b/packages/core/src/hooks/useLocale/locales/fa/fa.json
index 1f13814c..445a2dca 100644
--- a/packages/core/src/hooks/useLocale/locales/fa/fa.json
+++ b/packages/core/src/hooks/useLocale/locales/fa/fa.json
@@ -84,7 +84,7 @@
"reverse": "Reverse",
"medium": "Medium",
"target_humidity": "Target humidity.",
- "state": "وضعیت",
+ "state": "State",
"name_target_humidity": "{name} target humidity",
"name_current_humidity": "{name} current humidity",
"name_humidifying": "{name} humidifying",
@@ -234,7 +234,7 @@
"selector_options": "Selector Options",
"action": "اقدام",
"area": "Area",
- "attribute": "ویژگی",
+ "attribute": "Attribute",
"boolean": "Boolean",
"condition": "Condition",
"date": "Date",
@@ -739,7 +739,7 @@
"can_not_skip_version": "Can not skip version",
"update_instructions": "Update instructions",
"current_activity": "Current activity",
- "status": "Status",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Comenzi aspirator:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -857,7 +857,7 @@
"restart_home_assistant": "Restart Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Quick reload",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Reloading configuration",
"failed_to_reload_configuration": "Failed to reload configuration",
"restart_description": "Interrupts all running automations and scripts.",
@@ -885,8 +885,8 @@
"password": "Password",
"regex_pattern": "Regex pattern",
"used_for_client_side_validation": "Used for client-side validation",
- "minimum_value": "Valor mínimo",
- "maximum_value": "Valor máximo",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Input field",
"slider": "Slider",
"step_size": "Step size",
@@ -1188,7 +1188,7 @@
"move_to_dashboard": "Move to dashboard",
"card_configuration": "Card configuration",
"type_card_configuration": "{type} Card configuration",
- "edit_card_pick_card": "کدام کارت را می خواهید اضافه کنید؟",
+ "edit_card_pick_card": "Which card would you like to add?",
"toggle_editor": "Toggle editor",
"you_have_unsaved_changes": "You have unsaved changes",
"edit_card_confirm_cancel": "آیا مطمئن هستید که می خواهید لغو کنید؟",
@@ -1482,141 +1482,120 @@
"now": "Now",
"compare_data": "Compare data",
"reload_ui": "Reload UI",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
+ "scene": "Scene",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climate",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climate",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1645,6 +1624,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1670,31 +1650,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Next dawn",
- "next_dusk": "Next dusk",
- "next_midnight": "Next midnight",
- "next_noon": "Next noon",
- "next_rising": "Next rising",
- "next_setting": "Next setting",
- "solar_azimuth": "Solar azimuth",
- "solar_elevation": "Solar elevation",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1716,34 +1681,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Plugged in",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1817,6 +1824,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1867,7 +1875,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1884,6 +1891,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Next dawn",
+ "next_dusk": "Next dusk",
+ "next_midnight": "Next midnight",
+ "next_noon": "Next noon",
+ "next_rising": "Next rising",
+ "next_setting": "Next setting",
+ "solar_azimuth": "Solar azimuth",
+ "solar_elevation": "Solar elevation",
+ "solar_rising": "Solar rising",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1903,73 +1953,251 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Plugged in",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Paused",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -2002,84 +2230,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Current humidity",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Current action",
- "cooling": "Cooling",
- "defrosting": "Defrosting",
- "drying": "Drying",
- "heating": "Heating",
- "preheating": "Preheating",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Both",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Not charging",
- "disconnected": "Disconnected",
- "connected": "Connected",
- "hot": "Hot",
- "no_light": "No light",
- "light_detected": "Light detected",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "Not moving",
- "unplugged": "Unplugged",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Above horizon",
- "below_horizon": "Below horizon",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2095,13 +2251,36 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "available_tones": "Available tones",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Retornando",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Clear, night",
"cloudy": "Cloudy",
"exceptional": "Exceptional",
@@ -2124,26 +2303,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "disarming": "Disarming",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2152,65 +2314,112 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locked": "Locked",
+ "locking": "Locking",
+ "unlocked": "Unlocked",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Current humidity",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Current action",
+ "cooling": "Cooling",
+ "defrosting": "Defrosting",
+ "drying": "Drying",
+ "heating": "Heating",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Both",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Not charging",
+ "disconnected": "Disconnected",
+ "connected": "Connected",
+ "hot": "Hot",
+ "no_light": "No light",
+ "light_detected": "Light detected",
+ "not_moving": "Not moving",
+ "unplugged": "Unplugged",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Above horizon",
+ "below_horizon": "Below horizon",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Disarming",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2221,27 +2430,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2249,68 +2460,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2337,48 +2507,47 @@
"starting_add_on": "Iniciando add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Entre manualmente os detalhes da conexão MQTT",
- "bridge_is_already_configured": "Bridge is already configured",
- "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Couldn't get an API key",
- "link_with_deconz": "Link with deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2386,128 +2555,161 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "Bridge is already configured",
+ "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Couldn't get an API key",
+ "link_with_deconz": "Link with deCONZ",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Enable birth message",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Enable will message",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
"samsungtv_smart_options": "SamsungTV Smart options",
"data_use_st_status_info": "Use SmartThings TV Status information",
"data_use_st_channel_info": "Use SmartThings TV Channels information",
@@ -2535,28 +2737,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Enable birth message",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Enable will message",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2564,26 +2744,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2678,6 +2943,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
+ "increase_entity_name_brightness": "Increase {entity_name} brightness",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "First button",
+ "second_button": "Second button",
+ "third_button": "Third button",
+ "fourth_button": "Fourth button",
+ "fifth_button": "Fifth button",
+ "sixth_button": "Sixth button",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} is home",
+ "entity_name_is_not_home": "{entity_name} is not home",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} is cleaning",
+ "entity_name_is_docked": "{entity_name} is docked",
+ "entity_name_started_cleaning": "{entity_name} started cleaning",
+ "entity_name_docked": "{entity_name} docked",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} is locked",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is unlocked",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opened",
+ "entity_name_unlocked": "{entity_name} unlocked",
"action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
"change_preset_on_entity_name": "Change preset on {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2685,8 +3003,22 @@
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Close {entity_name} tilt",
+ "open_entity_name_tilt": "Open {entity_name} tilt",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Set {entity_name} tilt position",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} is closed",
+ "entity_name_is_closing": "{entity_name} is closing",
+ "entity_name_is_opening": "{entity_name} is opening",
+ "current_entity_name_position_is": "Current {entity_name} position is",
+ "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
+ "entity_name_closed": "{entity_name} closed",
+ "entity_name_closing": "{entity_name} closing",
+ "entity_name_opening": "{entity_name} opening",
+ "entity_name_position_changes": "{entity_name} position changes",
+ "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
"entity_name_battery_is_low": "{entity_name} battery is low",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2695,7 +3027,6 @@
"entity_name_is_detecting_gas": "{entity_name} is detecting gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} is detecting light",
- "entity_name_is_locked": "{entity_name} is locked",
"entity_name_is_moist": "{entity_name} is moist",
"entity_name_is_detecting_motion": "{entity_name} is detecting motion",
"entity_name_is_moving": "{entity_name} is moving",
@@ -2713,11 +3044,9 @@
"entity_name_is_not_cold": "{entity_name} is not cold",
"entity_name_is_disconnected": "{entity_name} is disconnected",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} is unlocked",
"entity_name_is_dry": "{entity_name} is dry",
"entity_name_is_not_moving": "{entity_name} is not moving",
"entity_name_is_not_occupied": "{entity_name} is not occupied",
- "entity_name_is_closed": "{entity_name} is closed",
"entity_name_is_unplugged": "{entity_name} is unplugged",
"entity_name_is_not_powered": "{entity_name} is not powered",
"entity_name_is_not_present": "{entity_name} is not present",
@@ -2725,7 +3054,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} is occupied",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is plugged in",
"entity_name_is_powered": "{entity_name} is powered",
"entity_name_is_present": "{entity_name} is present",
@@ -2745,7 +3073,6 @@
"entity_name_started_detecting_gas": "{entity_name} started detecting gas",
"entity_name_became_hot": "{entity_name} became hot",
"entity_name_started_detecting_light": "{entity_name} started detecting light",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} started detecting motion",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2756,18 +3083,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} became not hot",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} closed",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
@@ -2775,7 +3099,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} plugged in",
"entity_name_powered": "{entity_name} powered",
"entity_name_present": "{entity_name} present",
@@ -2783,46 +3106,16 @@
"entity_name_started_running": "{entity_name} started running",
"entity_name_started_detecting_smoke": "{entity_name} started detecting smoke",
"entity_name_started_detecting_sound": "{entity_name} started detecting sound",
- "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
- "entity_name_became_unsafe": "{entity_name} became unsafe",
- "trigger_type_update": "{entity_name} got an update available",
- "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
- "entity_name_is_buffering": "{entity_name} is buffering",
- "entity_name_is_idle": "{entity_name} is idle",
- "entity_name_is_paused": "{entity_name} is paused",
- "entity_name_is_playing": "{entity_name} is playing",
- "entity_name_starts_buffering": "{entity_name} starts buffering",
- "entity_name_becomes_idle": "{entity_name} becomes idle",
- "entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} is home",
- "entity_name_is_not_home": "{entity_name} is not home",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
- "increase_entity_name_brightness": "Increase {entity_name} brightness",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Disarm {entity_name}",
- "trigger_entity_name": "Trigger {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} is disarmed",
- "entity_name_is_triggered": "{entity_name} is triggered",
- "entity_name_armed_away": "{entity_name} armed away",
- "entity_name_armed_home": "{entity_name} armed home",
- "entity_name_armed_night": "{entity_name} armed night",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} disarmed",
- "entity_name_triggered": "{entity_name} triggered",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
+ "entity_name_became_unsafe": "{entity_name} became unsafe",
+ "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
+ "entity_name_is_buffering": "{entity_name} is buffering",
+ "entity_name_is_idle": "{entity_name} is idle",
+ "entity_name_is_paused": "{entity_name} is paused",
+ "entity_name_is_playing": "{entity_name} is playing",
+ "entity_name_starts_buffering": "{entity_name} starts buffering",
+ "entity_name_becomes_idle": "{entity_name} becomes idle",
+ "entity_name_starts_playing": "{entity_name} starts playing",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2832,35 +3125,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Close {entity_name} tilt",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Open {entity_name} tilt",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Set {entity_name} tilt position",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} is closing",
- "entity_name_is_opening": "{entity_name} is opening",
- "current_entity_name_position_is": "Current {entity_name} position is",
- "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
- "entity_name_closing": "{entity_name} closing",
- "entity_name_opening": "{entity_name} opening",
- "entity_name_position_changes": "{entity_name} position changes",
- "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Both buttons",
"bottom_buttons": "Bottom buttons",
"seventh_button": "Seventh button",
@@ -2885,13 +3149,6 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} is cleaning",
- "entity_name_is_docked": "{entity_name} is docked",
- "entity_name_started_cleaning": "{entity_name} started cleaning",
- "entity_name_docked": "{entity_name} docked",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2902,29 +3159,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Disarm {entity_name}",
+ "trigger_entity_name": "Trigger {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} is disarmed",
+ "entity_name_is_triggered": "{entity_name} is triggered",
+ "entity_name_armed_away": "{entity_name} armed away",
+ "entity_name_armed_home": "{entity_name} armed home",
+ "entity_name_armed_night": "{entity_name} armed night",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} disarmed",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "Device dropped",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Device tilted",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3055,52 +3337,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3117,6 +3369,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3127,102 +3380,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3235,25 +3397,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3279,27 +3486,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Verifique o payload (corpo da mensagem)",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3338,40 +3826,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3379,77 +3833,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Verifique o payload (corpo da mensagem)",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3458,83 +3851,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/fi/fi.json b/packages/core/src/hooks/useLocale/locales/fi/fi.json
index e8838414..cd459891 100644
--- a/packages/core/src/hooks/useLocale/locales/fi/fi.json
+++ b/packages/core/src/hooks/useLocale/locales/fi/fi.json
@@ -86,6 +86,7 @@
"reverse": "Taaksepäin",
"medium": "Keskitaso",
"target_humidity": "Tavoitekosteus.",
+ "state": "State",
"name_target_humidity": "{name} tavoitekosteus",
"name_current_humidity": "{name} tämänhetkinen kosteus",
"name_humidifying": "{name} kosteutus",
@@ -134,7 +135,7 @@
"cancel": "Peruuta",
"cancel_number": "Peruuta {number}",
"cancel_all": "Peruuta kaikki",
- "idle": "Idle",
+ "idle": "Toimeton",
"run_script": "Suorita skripti",
"option": "Vaihtoehto",
"installing": "Asennetaan",
@@ -219,7 +220,7 @@
"copied_to_clipboard": "Kopioitu leikepöydälle",
"name": "Nimi",
"optional": "Valinnainen",
- "default": "Default",
+ "default": "Oletus",
"select_media_player": "Valitse mediasoitin",
"media_browse_not_supported": "Mediasoitin ei tue median selaamista.",
"pick_media": "Valitse media",
@@ -261,6 +262,7 @@
"learn_more_about_templating": "Lue lisää malleista.",
"show_password": "Näytä salasana",
"hide_password": "Piilota salasana",
+ "ui_components_selectors_background_yaml_info": "Taustakuva asetettu yaml-editorin kautta.",
"no_logbook_events_found": "Lokikirjauksia ei löytynyt.",
"triggered_by": "laukesi, koska",
"triggered_by_automation": "laukesi automaation takia",
@@ -347,7 +349,7 @@
"conversation_agent": "Keskusteluagentti",
"none": "Ei mitään",
"country": "Maa",
- "assistant": "Assist putkisto",
+ "assistant": "Assistant",
"preferred_assistant_preferred": "Ensisijainen avustaja ({preferred})",
"last_used_assistant": "Viimeksi käytetty avustaja",
"no_theme": "Ei teemaa",
@@ -521,7 +523,7 @@
"advanced_controls": "Lisäasetukset",
"tone": "Äänimerkki",
"volume": "Äänenvoimakkuus",
- "message": "Viestim",
+ "message": "Viesti",
"gender": "Sukupuoli",
"male": "Mies",
"female": "Nainen",
@@ -642,6 +644,7 @@
"last_updated": "Viimeksi päivitetty",
"remaining_time": "Jäljellä oleva aika",
"install_status": "Asennuksen tila",
+ "ui_components_multi_textfield_add_item": "Lisää {item}",
"safe_mode": "Vikasietotila",
"all_yaml_configuration": "Koko YAML-konfiguraatio",
"domain": "Verkkotunnus",
@@ -743,6 +746,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Luo varmuuskopio ennen päivittämistä",
"update_instructions": "Päivitysohjeet",
"current_activity": "Nykyinen aktiviteetti",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Pölynimurin komennot:",
"fan_speed": "Tuulettimen nopeus",
"clean_spot": "Puhdista paikka",
@@ -777,7 +781,7 @@
"default_code": "Oletuskoodi",
"editor_default_code_error": "Koodi ei vastaa koodimuotoa",
"entity_id": "Kohteen tunnus",
- "unit_of_measurement": "Mittayksikkö",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "Sademäärän yksikkö",
"display_precision": "Näytön tarkkuus",
"default_value": "Oletus ({value})",
@@ -859,7 +863,7 @@
"restart_home_assistant": "Käynnistä Home Assistant uudelleen?",
"advanced_options": "Advanced options",
"quick_reload": "Nopea uudelleenlataus",
- "reload_description": "Lataa uudelleen kaikki käytettävissä olevat skriptit.",
+ "reload_description": "Lataa ajastimet uudelleen YAML-konfiguraatiosta.",
"reloading_configuration": "Ladataan konfiguraatiota uudelleen",
"failed_to_reload_configuration": "Konfiguraation uudelleenlataus epäonnistui",
"restart_description": "Keskeyttää kaikki käynnissä olevat automaatiot ja skriptit.",
@@ -888,8 +892,8 @@
"password": "Salasana",
"regex_pattern": "Regex-malli",
"used_for_client_side_validation": "Käytetään asiakaspuolen validointia varten",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Syöttökenttä",
"slider": "Liukusäädin",
"step_size": "Askelkoko",
@@ -934,7 +938,7 @@
"ui_dialogs_zha_device_info_confirmations_remove": "Haluatko varmasti poistaa laitteen?",
"quirk": "Oikku",
"last_seen": "Viimeksi nähty",
- "power_source": "Virtalähde",
+ "power_source": "Teholähde",
"change_device_name": "Vaihda laitteen nimi",
"device_debug_info": "{device} vianetsintätiedot",
"mqtt_device_debug_info_deserialize": "Yritetään jäsentää MQTT-viestejä JSON-muodossa",
@@ -1206,7 +1210,7 @@
"ui_panel_lovelace_editor_edit_view_type_helper_sections": "Et voi vaihtaa näkymääsi käyttämään \"osiot\"-näkymätyyppiä, koska siirtymistä ei vielä tueta. Aloita alusta uudella näkymällä, jos haluat kokeilla \"osiot\"-näkymää.",
"card_configuration": "Kortti-asetukset",
"type_card_configuration": "{type} -kortin konfiguraatio",
- "edit_card_pick_card": "Valitse kortti jonka haluat lisätä",
+ "edit_card_pick_card": "Lisää näkymään",
"toggle_editor": "Vaihda editori",
"you_have_unsaved_changes": "Sinulla on tallentamattomia muutoksia",
"edit_card_confirm_cancel": "Haluatko varmasti peruuttaa?",
@@ -1405,6 +1409,11 @@
"show_more_detail": "Näytä tarkemmin",
"to_do_list": "Tehtävälista",
"hide_completed_items": "Piilota valmiit kohteet",
+ "ui_panel_lovelace_editor_card_todo_list_display_order": "Näytä järjestys",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc": "Aakkosjärjestys (A–Ö)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_desc": "Aakkosjärjestys (Ö-A)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc": "Eräpäivä (aikaisin ensin)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc": "Eräpäivä (viimeisin ensin)",
"thermostat": "Termostaatti",
"thermostat_show_current_as_primary": "Näytä nykyinen lämpötila ensisijaisena tietona",
"tile": "Tiili",
@@ -1512,142 +1521,121 @@
"now": "Nyt",
"compare_data": "Vertaa tietoja",
"reload_ui": "Lataa Lovelace uudelleen",
- "tag": "Tägi",
- "input_datetime": "Syötä päivämäärä",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Ajastin",
- "local_calendar": "Paikallinen kalenteri",
- "intent": "Intent",
- "device_tracker": "Laiteseuranta",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Syöttöboolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "tag": "Tägi",
+ "media_source": "Media Source",
+ "mobile_app": "Mobiilisovellus",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostiikka",
+ "filesize": "Tiedostokoko",
+ "group": "Ryhmä",
+ "binary_sensor": "Binäärisensori",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Valinta",
+ "device_automation": "Device Automation",
+ "person": "Henkilö",
+ "input_button": "Syöttöpainike",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Lokikirjaaja",
+ "script": "Skripti",
"fan": "Tuuletin",
- "weather": "Sää",
- "camera": "Kamera",
+ "scene": "Scene",
"schedule": "Aikataulu",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automaatio",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Sää",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Keskustelu",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Syötä teksti",
- "valve": "Venttiili",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Ilmasto",
- "binary_sensor": "Binäärisensori",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automaatio",
+ "system_log": "System Log",
+ "cover": "Kaihtimet",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Venttiili",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Kaihtimet",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Paikallinen kalenteri",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Sireeni",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Ruohonleikkuri",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Tapahtuma",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Laiteseuranta",
+ "remote": "Kauko-ohjaus",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Kytkin",
+ "persistent_notification": "Pysyvä ilmoitus",
+ "vacuum": "Imuri",
+ "reolink": "Reolink",
+ "camera": "Kamera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Pysyvä ilmoitus",
- "trace": "Trace",
- "remote": "Kauko-ohjaus",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Laskuri",
- "filesize": "Tiedostokoko",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Syötä numero",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi virtalähteen tarkistus",
+ "conversation": "Keskustelu",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Ilmasto",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Syöttöboolean",
- "lawn_mower": "Ruohonleikkuri",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Tapahtuma",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Hälytysasetukset",
- "input_select": "Valinta",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobiilisovellus",
+ "timer": "Ajastin",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Kytkin",
+ "input_datetime": "Syötä päivämäärä",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Laskuri",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Sovelluksen kirjautumistiedot",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Ryhmä",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostiikka",
- "person": "Henkilö",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Syötä teksti",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Syötä numero",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Sovelluksen kirjautumistiedot",
- "siren": "Sireeni",
- "bluetooth": "Bluetooth",
- "logger": "Lokikirjaaja",
- "input_button": "Syöttöpainike",
- "vacuum": "Imuri",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi virtalähteen tarkistus",
- "assist_satellite": "Assist satellite",
- "script": "Skripti",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Akun varaustaso",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1676,6 +1664,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Akun varaustaso",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Kokonaiskulutus",
@@ -1693,7 +1682,7 @@
"auto_off_enabled": "Auto off enabled",
"auto_update_enabled": "Auto update enabled",
"baby_cry_detection": "Baby cry detection",
- "child_lock": "Child lock",
+ "child_lock": "Lapsilukko",
"fan_sleep_mode": "Fan sleep mode",
"led": "LED",
"motion_detection": "Liiketunnistus",
@@ -1701,31 +1690,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Seuraava aamunkoitto",
- "next_dusk": "Seuraava hämärä",
- "next_midnight": "Seuraava keskiyö",
- "next_noon": "Seuraava keskipäivä",
- "next_rising": "Seuraava nousu",
- "next_setting": "Seuraava lasku",
- "solar_azimuth": "Auringon atsimuutti",
- "solar_elevation": "Auringon korkeuskulma",
- "solar_rising": "Aurinko nousee",
- "day_of_week": "Day of week",
- "illuminance": "Valaistusvoimakkuus",
- "noise": "Melu",
- "overload": "Ylikuormitus",
- "working_location": "Working location",
- "created": "Created",
- "size": "Koko",
- "size_in_bytes": "Koko tavuina",
- "compressor_energy_consumption": "Kompressorin energiankulutus",
- "compressor_estimated_power_consumption": "Kompressorin arvioitu virrankulutus",
- "compressor_frequency": "Kompressorin taajuus",
- "cool_energy_consumption": "Viileän energian kulutus",
- "energy_consumption": "Energiankulutus",
- "heat_energy_consumption": "Lämpöenergian kulutus",
- "inside_temperature": "Sisälämpötila",
- "outside_temperature": "Ulkolämpötila",
+ "calibration": "Kalibrointi",
+ "auto_lock_paused": "Automaattinen lukitus keskeytetty",
+ "timeout": "Aikakatkaisu",
+ "unclosed_alarm": "Sulkematon hälytys",
+ "unlocked_alarm": "Lukitsematon hälytys",
+ "bluetooth_signal": "Bluetooth-signaali",
+ "light_level": "Valon taso",
+ "wi_fi_signal": "Wi-Fi-signaali",
+ "momentary": "Hetkellinen",
+ "pull_retract": "Vedä/vetäydy",
"process_process": "Prosessi {process}",
"disk_free_mount_point": "Vapaa levy {mount_point}",
"disk_use_mount_point": "Levyn käyttö {mount_point}",
@@ -1744,34 +1718,74 @@
"swap_use": "Swap käyttö",
"network_throughput_in_interface": "Verkon suoritusteho sisään {interface}",
"network_throughput_out_interface": "Verkon suoritusteho ulos {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Avustus käynnissä",
- "preferred": "Suosikki",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "Käyttöjärjestelmän agentin versio",
- "apparmor_version": "Apparmor-versio",
- "cpu_percent": "Suorittimen käyttö prosentteina",
- "disk_free": "Tallennustilaa vapaana",
- "disk_total": "Tallennustilaa yhteensä",
- "disk_used": "Tallennustilaa käyetty",
- "memory_percent": "Muistin käyttö prosentteina",
- "version": "Versio",
- "newest_version": "Uusin versio",
+ "day_of_week": "Day of week",
+ "illuminance": "Valaistusvoimakkuus",
+ "noise": "Melu",
+ "overload": "Ylikuormitus",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synkronoi laitteet",
- "estimated_distance": "Arvioitu etäisyys",
- "vendor": "Myyjä",
- "quiet": "Hiljainen",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Automaattinen vahvistus",
+ "ding": "Ding",
+ "last_recording": "Viimeisin tallennus",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Ovikellon äänenvoimakkuus",
"mic_volume": "Mikrofonin äänenvoimakkuus",
- "noise_suppression_level": "Melunvaimennustaso",
- "off": "Pois",
- "mute": "Mykistä",
+ "last_activity": "Viimeisin aktiviteetti",
+ "last_ding": "Viimeinen soitto",
+ "last_motion": "Viimeinen liike",
+ "wi_fi_signal_category": "Wi-Fi-signaaliluokka",
+ "wi_fi_signal_strength": "Wi-Fi-signaalin voimakkuus",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Kompressorin energiankulutus",
+ "compressor_estimated_power_consumption": "Kompressorin arvioitu virrankulutus",
+ "compressor_frequency": "Kompressorin taajuus",
+ "cool_energy_consumption": "Viileän energian kulutus",
+ "energy_consumption": "Energiankulutus",
+ "heat_energy_consumption": "Lämpöenergian kulutus",
+ "inside_temperature": "Sisälämpötila",
+ "outside_temperature": "Ulkolämpötila",
+ "device_admin": "Laitteen ylläpitäjä",
+ "kiosk_mode": "Kioskitila",
+ "plugged_in": "Kytketty",
+ "load_start_url": "Lataa aloitus URL-osoite",
+ "restart_browser": "Käynnistä selain uudelleen",
+ "restart_device": "Restart device",
+ "send_to_background": "Lähetä taustalle",
+ "bring_to_foreground": "Tuo etualalle",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Näytön kirkkaus",
+ "screen_off_timer": "Näytön sammutusajastin",
+ "screensaver_brightness": "Näytönsäästäjän kirkkaus",
+ "screensaver_timer": "Näytönsäästäjä ajastin",
+ "current_page": "Nykyinen sivu",
+ "foreground_app": "Etualalla oleva sovellus",
+ "internal_storage_free_space": "Sisäisen tallennustilan vapaa tila",
+ "internal_storage_total_space": "Sisäinen tallennustila yhteensä",
+ "total_memory": "Kokonaismuisti",
+ "screen_orientation": "Näytön suunta",
+ "kiosk_lock": "Kioskin lukko",
+ "maintenance_mode": "Huoltotila",
+ "screensaver": "Näytönsäästäjä",
"animal": "Eläin",
"detected": "Havaittu",
"animal_lens": "Eläinlinssi 1",
@@ -1845,6 +1859,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoomaus",
"auto_quick_reply_message": "Automaattinen nopea vastausviesti",
+ "off": "Pois",
"auto_track_method": "Automaattinen seurantamenetelmä",
"digital": "Digitaalinen",
"digital_first": "Digitaalinen ensin",
@@ -1895,7 +1910,6 @@
"ptz_pan_position": "PTZ:n panorointiasento",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD-tallennus {hdd_index} ",
- "wi_fi_signal": "Wi-Fi-signaali",
"auto_focus": "Automaattinen tarkennus",
"auto_tracking": "Automaattinen seuranta",
"doorbell_button_sound": "Ovikellon painikkeen ääni",
@@ -1911,6 +1925,49 @@
"push_notifications": "Notifikaatiot",
"record_audio": "Äänitä ääntä",
"siren_on_event": "Sireeni tapahtumassa",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Koko",
+ "size_in_bytes": "Koko tavuina",
+ "assist_in_progress": "Avustus käynnissä",
+ "quiet": "Hiljainen",
+ "preferred": "Suosikki",
+ "finished_speaking_detection": "Puheen tunnistus valmis",
+ "aggressive": "Aggressiivinen",
+ "relaxed": "Rento",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "Käyttöjärjestelmän agentin versio",
+ "apparmor_version": "Apparmor-versio",
+ "cpu_percent": "Suorittimen käyttö prosentteina",
+ "disk_free": "Tallennustilaa vapaana",
+ "disk_total": "Tallennustilaa yhteensä",
+ "disk_used": "Tallennustilaa käyetty",
+ "memory_percent": "Muistin käyttö prosentteina",
+ "version": "Versio",
+ "newest_version": "Uusin versio",
+ "auto_gain": "Automaattinen vahvistus",
+ "noise_suppression_level": "Melunvaimennustaso",
+ "mute": "Mykistä",
+ "bytes_received": "Tavut vastaanotettu",
+ "server_country": "Palvelimen maa",
+ "server_id": "Palvelimen tunnus",
+ "server_name": "Palvelimen nimi",
+ "ping": "Ping",
+ "upload": "Lähetys",
+ "bytes_sent": "Tavua lähetetty",
+ "working_location": "Working location",
+ "next_dawn": "Seuraava aamunkoitto",
+ "next_dusk": "Seuraava hämärä",
+ "next_midnight": "Seuraava keskiyö",
+ "next_noon": "Seuraava keskipäivä",
+ "next_rising": "Seuraava nousu",
+ "next_setting": "Seuraava lasku",
+ "solar_azimuth": "Auringon atsimuutti",
+ "solar_elevation": "Auringon korkeuskulma",
+ "solar_rising": "Aurinko nousee",
"heavy": "Raskas",
"mild": "Vähäinen",
"button_down": "Painike alas",
@@ -1929,70 +1986,250 @@
"checking": "Tarkistetaan",
"closing": "Sulkeutuu",
"opened": "Avattu",
- "ding": "Ding",
- "last_recording": "Viimeisin tallennus",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Ovikellon äänenvoimakkuus",
- "last_activity": "Viimeisin aktiviteetti",
- "last_ding": "Viimeinen soitto",
- "last_motion": "Viimeinen liike",
- "wi_fi_signal_category": "Wi-Fi-signaaliluokka",
- "wi_fi_signal_strength": "Wi-Fi-signaalin voimakkuus",
- "in_home_chime": "In-home chime",
- "calibration": "Kalibrointi",
- "auto_lock_paused": "Automaattinen lukitus keskeytetty",
- "timeout": "Aikakatkaisu",
- "unclosed_alarm": "Sulkematon hälytys",
- "unlocked_alarm": "Lukitsematon hälytys",
- "bluetooth_signal": "Bluetooth-signaali",
- "light_level": "Valon taso",
- "momentary": "Hetkellinen",
- "pull_retract": "Vedä/vetäydy",
- "bytes_received": "Tavut vastaanotettu",
- "server_country": "Palvelimen maa",
- "server_id": "Palvelimen tunnus",
- "server_name": "Palvelimen nimi",
- "ping": "Ping",
- "upload": "Lähetys",
- "bytes_sent": "Tavua lähetetty",
- "device_admin": "Laitteen ylläpitäjä",
- "kiosk_mode": "Kioskitila",
- "plugged_in": "Kytketty",
- "load_start_url": "Lataa aloitus URL-osoite",
- "restart_browser": "Käynnistä selain uudelleen",
- "restart_device": "Käynnistä laite uudelleen",
- "send_to_background": "Lähetä taustalle",
- "bring_to_foreground": "Tuo etualalle",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Näytön kirkkaus",
- "screen_off_timer": "Näytön sammutusajastin",
- "screensaver_brightness": "Näytönsäästäjän kirkkaus",
- "screensaver_timer": "Näytönsäästäjä ajastin",
- "current_page": "Nykyinen sivu",
- "foreground_app": "Etualalla oleva sovellus",
- "internal_storage_free_space": "Sisäisen tallennustilan vapaa tila",
- "internal_storage_total_space": "Sisäinen tallennustila yhteensä",
- "total_memory": "Kokonaismuisti",
- "screen_orientation": "Näytön suunta",
- "kiosk_lock": "Kioskin lukko",
- "maintenance_mode": "Huoltotila",
- "screensaver": "Näytönsäästäjä",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Hallinnoitu käyttöliittymän kautta",
- "max_length": "Maksimipituus",
- "min_length": "Minimipituus",
- "pattern": "Kuvio",
- "minute": "Minuutti",
- "second": "Sekunti",
- "timestamp": "Aikaleima",
- "paused": "Pysäytetty",
+ "estimated_distance": "Arvioitu etäisyys",
+ "vendor": "Myyjä",
+ "accelerometer": "Kiihtyvyysmittari",
+ "binary_input": "Binääritulo",
+ "calibrated": "Kalibroitu",
+ "consumer_connected": "Kuluttaja yhdistetty",
+ "external_sensor": "Ulkoinen sensori",
+ "frost_lock": "Pakkaslukko",
+ "opened_by_hand": "Avattu käsin",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS-alue",
+ "linkage_alarm_state": "Linkityksen hälytystila",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Vaihda suodatin",
+ "valve_alarm": "Venttiilihälytys",
+ "open_window_detection": "Open window detection",
+ "feed": "Syötä",
+ "frost_lock_reset": "Pakkaslukon nollaus",
+ "presence_status_reset": "Läsnäolon tilan nollaus",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Itsetesti",
+ "keen_vent": "Tarkka tuuletusaukko",
+ "fan_group": "Tuuletinryhmä",
+ "light_group": "Valoryhmä",
+ "door_lock": "Oven lukitus",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Lähestymisetäisyys",
+ "automatic_switch_shutoff_timer": "Automaattinen sammutusajastin",
+ "away_preset_temperature": "Poissa esiasetettu lämpötila",
+ "boost_amount": "Boost amount",
+ "button_delay": "Painikkeen viive",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Oletussiirtonopeus",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Havaintoväli",
+ "local_dimming_down_speed": "Paikallinen himmennysnopeus",
+ "remote_dimming_down_speed": "Kauko-himmennysnopeus",
+ "local_dimming_up_speed": "Paikallinen kirkastusnopeus",
+ "remote_dimming_up_speed": "Kauko-kirkastusnopeus",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Kaksoisnapauta tasoa alaspäin",
+ "double_tap_up_level": "Kaksoisnapauta tasoa ylöspäin",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Suodattimen käyttöikä",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Oletusarvo kaikki LED pois päältä väri",
+ "led_color_when_on_name": "Oletusarvo kaikkien LEDien väri",
+ "led_intensity_when_off_name": "Oletusarvoisesti kaikki LED-valot sammuvat",
+ "led_intensity_when_on_name": "Oletusarvoisesti kaikki LED-valot päällä",
+ "load_level_indicator_timeout": "Kuormitustason ilmaisimen aikakatkaisu",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Paikallinen lämpötilan poikkeama",
+ "max_heat_setpoint_limit": "Max lämpöasetusten raja-arvo",
+ "maximum_load_dimming_level": "Suurin kuorman himmennystaso",
+ "min_heat_setpoint_limit": "Min lämpöasetusten raja-arvo",
+ "minimum_load_dimming_level": "Pienin kuorman himmennystaso",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Siirtymäaika pois päältä",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "Tasolla",
+ "on_off_transition_time": "Päälle/pois päältä -siirtymäaika",
+ "on_transition_time": "Siirtymäaika päälle",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Annoksen paino",
+ "presence_detection_timeout": "Läsnäolotunnistuksen aikakatkaisu",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Nopea käynnistymisaika",
+ "ramp_rate_off_to_on_local_name": "Paikallinen ramppinopeus päälle",
+ "ramp_rate_off_to_on_remote_name": "Kauko-rampinopeus päälle",
+ "ramp_rate_on_to_off_local_name": "Paikallinen ramppinopeus pois päältä",
+ "ramp_rate_on_to_off_remote_name": "Kauko-rampinopeus pois päältä",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Annosteltava annos",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Käynnistyksen värilämpötila",
+ "start_up_current_level": "Käynnistysvirran taso",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Ajastimen kesto",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Lähetysteho",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Taustavalotila",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Kytketty tila",
+ "default_siren_level": "Sireenin oletustaso",
+ "default_siren_tone": "Sireenin oletusääni",
+ "default_strobe": "Oletus stroboskooppi",
+ "default_strobe_level": "Stroboskoopin oletustaso",
+ "detection_distance": "Havaintoetäisyys",
+ "detection_sensitivity": "Tunnistusherkkyys",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Ei-neutraali ulostulo",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Näppäimistön lukitus",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led -skaalaustila",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Valvontatila",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Lähtötila",
+ "power_on_state": "Virta päälle -tila",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Älykkäät tuulettimen led-tasot",
+ "start_up_behavior": "Virta päälle -käyttäytyminen",
+ "switch_mode": "Kytkin -tila",
+ "switch_type": "Kytkimen tyyppi",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Verhotila",
+ "ac_frequency": "AC -taajuus",
+ "adaptation_run_status": "Adaptation run status",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analoginen tulo",
+ "control_status": "Control status",
+ "device_run_time": "Laitteen käyttöaika",
+ "device_temperature": "Laitteen lämpötila",
+ "target_distance": "Target distance",
+ "filter_run_time": "Suodattimen käyttöaika",
+ "formaldehyde_concentration": "Formaldehydin pitoisuus",
+ "hooks_state": "Koukkujen tila",
+ "hvac_action": "HVAC-toiminta",
+ "instantaneous_demand": "Hetkellinen kysyntä",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Viimeisen ruokinnan koko",
+ "last_feeding_source": "Viimeinen ruokintalähde",
+ "last_illumination_state": "Viimeinen valaistustila",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Lehtien kosteus",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi lämmityksen kysyntä",
+ "portions_dispensed_today": "Tänään jaetut annokset",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Asetusarvon muutoksen lähde",
+ "smoke_density": "Savun tiheys",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Maaperän kosteus",
+ "summation_delivered": "Yhteenveto toimitettu",
+ "summation_received": "Yhteenveto vastaanotettu",
+ "tier_summation_delivered": "Tier 6 -yhteenveto toimitettu",
+ "timer_state": "Timer state",
+ "time_left": "Aikaa jäljellä",
+ "weight_dispensed_today": "Painoa hävinnyt tänään",
+ "window_covering_type": "Ikkunoiden suojuksen tyyppi",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux-kytkintilanteet",
+ "binding_off_to_on_sync_level_name": "Sidotaan synkronointitasolle",
+ "buzzer_manual_alarm": "Summerin manuaalinen hälytys",
+ "buzzer_manual_mute": "Summerin manuaalinen mykistys",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Poista asetukset käytöstä 2x napauttamalla ilmoitukset",
+ "disable_led": "Poista LED käytöstä",
+ "double_tap_down_enabled": "Kaksoisnapautus alaspäin käytössä",
+ "double_tap_up_enabled": "Kaksoisnapautus ylöspäin käytössä",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Laiteohjelmiston edistymisen merkkivalo",
+ "heartbeat_indicator": "Sykkeen ilmaisin",
+ "heat_available": "Heat available",
+ "hooks_locked": "Koukut lukittu",
+ "invert_switch": "Käänteinen kytkin",
+ "inverted": "Käänteinen",
+ "led_indicator": "LED -merkkivalo",
+ "linkage_alarm": "Linkityshälytys",
+ "local_protection": "Paikallinen suojaus",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Vain 1 LED -tila",
+ "open_window": "Open window",
+ "power_outage_memory": "Sähkökatkosmuisti",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Poista releen napsautus käytöstä on off -tilassa",
+ "smart_bulb_mode": "Älykäs lampputila",
+ "smart_fan_mode": "Älykäs tuuletintila",
+ "led_trigger_indicator": "LED-laukaisimen merkkivalo",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Venttiilin tunnistus",
+ "window_detection": "Ikkunan tunnistus",
+ "invert_window_detection": "Käänteinen ikkunan tunnistus",
+ "available_tones": "Saatavilla olevat sävyt",
"device_trackers": "Seurantalaitteet",
"gps_accuracy": "GPS-tarkkuus",
- "finishes_at": "Päättyy",
- "remaining": "Jäljellä",
- "restore": "Palauta",
"last_reset": "Viimeisin nollaus",
"possible_states": "Mahdolliset tilat",
"state_class": "Tilan luokka",
@@ -2025,79 +2262,12 @@
"sound_pressure": "Äänenpaine",
"speed": "Nopeus",
"sulphur_dioxide": "Rikkidioksidi",
+ "timestamp": "Aikaleima",
"vocs": "VOC-yhdisteet",
"volume_flow_rate": "Tilavuusvirtausnopeus",
"stored_volume": "Varastoitu tilavuus",
"weight": "Paino",
- "cool": "Jäähdytys",
- "fan_only": "Vain tuuletin",
- "heat_cool": "Lämmitys/jäähdytys",
- "aux_heat": "Lisälämpö",
- "current_humidity": "Nykyinen kosteus",
- "current_temperature": "Current Temperature",
- "fan_mode": "Tuuletintila",
- "diffuse": "Diffuusi",
- "middle": "Keski",
- "top": "Huippu",
- "current_action": "Nykyinen toiminta",
- "defrosting": "Defrosting",
- "preheating": "Esilämmitys",
- "max_target_humidity": "Maksimi tavoitekosteus",
- "max_target_temperature": "Maksimi tavoitelämpötila",
- "min_target_humidity": "Minimi tavoitekosteus",
- "min_target_temperature": "Minimi tavoitelämpötila",
- "boost": "Tehostus",
- "comfort": "Mukavuus",
- "eco": "Eko",
- "sleep": "Nukkuminen",
- "presets": "Esiasetukset",
- "horizontal_swing_mode": "Horizontal swing mode",
- "both": "Molemmat",
- "horizontal": "Vaakasuora",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Tavoitelämpötila-askel",
- "step": "Askel",
- "not_charging": "Ei lataudu",
- "disconnected": "Yhteys katkaistu",
- "connected": "Yhdistetty",
- "hot": "Kuuma",
- "no_light": "Ei valoa",
- "light_detected": "Valo havaittu",
- "locked": "Lukittu",
- "unlocked": "Auki",
- "not_moving": "Ei liiku",
- "unplugged": "Irrotettu",
- "not_running": "Ei käynnissä",
- "safe": "Turvallinen",
- "unsafe": "Vaarallinen",
- "tampering_detected": "Peukalointia havaittu",
- "box": "Laatikko",
- "above_horizon": "Horisontin yläpuolella",
- "below_horizon": "Horisontin alapuolella",
- "buffering": "Puskuroi",
- "playing": "Toistetaan",
- "standby": "Lepotilassa",
- "app_id": "Sovelluksen tunnus",
- "local_accessible_entity_picture": "Paikallisesti saavutettava kohteen kuva",
- "group_members": "Ryhmän jäsenet",
- "muted": "Mykistetty",
- "album_artist": "Albumin esittäjä",
- "content_id": "Sisällön tunnus",
- "content_type": "Sisältötyyppi",
- "channels": "Kanavat",
- "position_updated": "Asema päivitetty",
- "series": "Sarja",
- "all": "Kaikki",
- "one": "Yksi",
- "available_sound_modes": "Saatavilla olevat äänitilat",
- "available_sources": "Saatavilla olevat lähteet",
- "receiver": "Vastaanotin",
- "speaker": "Kaiutin",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Reititin",
+ "managed_via_ui": "Hallinnoitu käyttöliittymän kautta",
"color_mode": "Color Mode",
"brightness_only": "Vain kirkkaus",
"hs": "HS",
@@ -2113,13 +2283,36 @@
"minimum_color_temperature_kelvin": "Minimi värilämpötila (Kelvin)",
"minimum_color_temperature_mireds": "Minimi värilämpötila (mired)",
"available_color_modes": "Saatavilla olevat väritilat",
- "available_tones": "Saatavilla olevat sävyt",
"docked": "Telakoituna",
"mowing": "Ruohonleikkuu",
+ "paused": "Pysäytetty",
"returning": "Returning",
+ "max_length": "Maksimipituus",
+ "min_length": "Minimipituus",
+ "pattern": "Kuvio",
+ "running_automations": "Käynnissä olevat automaatiot",
+ "max_running_scripts": "Maksimissaan käynnissä olevat skriptit",
+ "run_mode": "Ajotila",
+ "parallel": "Rinnakkain",
+ "queued": "Jonossa",
+ "single": "Yksittäinen",
+ "auto_update": "Automaattinen päivitys",
+ "installed_version": "Asennettu versio",
+ "latest_version": "Viimeisin versio",
+ "release_summary": "Julkaisun yhteenveto",
+ "release_url": "Julkaisun URL-osoite",
+ "skipped_version": "Ohitettu versio",
+ "firmware": "Laiteohjelmisto",
"oscillating": "Vaihtuva",
"speed_step": "Nopeusaskel",
"available_preset_modes": "Saatavilla olevat esiasetetut tilat",
+ "minute": "Minuutti",
+ "second": "Sekunti",
+ "next_event": "Seuraava tapahtuma",
+ "step": "Askel",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Reititin",
"clear_night": "Yö, selkeää",
"cloudy": "Pilvistä",
"exceptional": "Poikkeuksellinen",
@@ -2141,24 +2334,9 @@
"uv_index": "UV-indeksi",
"wind_bearing": "Tuulen suunta",
"wind_gust_speed": "Tuulen puuskanopeus",
- "auto_update": "Automaattinen päivitys",
- "installed_version": "Asennettu versio",
- "latest_version": "Viimeisin versio",
- "release_summary": "Julkaisun yhteenveto",
- "release_url": "Julkaisun URL-osoite",
- "skipped_version": "Ohitettu versio",
- "firmware": "Laiteohjelmisto",
- "armed_away": "Viritetty (poissa)",
- "armed_custom_bypass": "Virityksen ohittaminen",
- "armed_home": "Viritetty (kotona)",
- "armed_night": "Viritetty (yö)",
- "armed_vacation": "Viritetty (loma)",
- "disarming": "Virityksen poisto",
- "changed_by": "Muuttanut",
- "code_for_arming": "Virittämisen koodi",
- "not_required": "Ei vaadittu",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Siivoaa",
+ "returning_to_dock": "Palaamassa telakkaan",
"recording": "Tallentaa",
"streaming": "Toistaa",
"access_token": "Käyttöoikeustunnus",
@@ -2167,95 +2345,137 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Malli",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "box": "Laatikko",
+ "jammed": "Jumissa",
+ "locked": "Lukittu",
+ "locking": "Lukitaan",
+ "unlocked": "Auki",
+ "changed_by": "Muuttanut",
+ "code_format": "Code format",
+ "members": "Jäsenet",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Ajettavien automaatioiden maksimimäärä",
+ "cool": "Jäähdytys",
+ "fan_only": "Vain tuuletin",
+ "heat_cool": "Lämmitys/jäähdytys",
+ "aux_heat": "Lisälämpö",
+ "current_humidity": "Nykyinen kosteus",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Tuuletintila",
+ "diffuse": "Diffuusi",
+ "middle": "Keski",
+ "top": "Huippu",
+ "current_action": "Nykyinen toiminta",
+ "defrosting": "Defrosting",
+ "preheating": "Esilämmitys",
+ "max_target_humidity": "Maksimi tavoitekosteus",
+ "max_target_temperature": "Maksimi tavoitelämpötila",
+ "min_target_humidity": "Minimi tavoitekosteus",
+ "min_target_temperature": "Minimi tavoitelämpötila",
+ "boost": "Tehostus",
+ "comfort": "Mukavuus",
+ "eco": "Eko",
+ "sleep": "Nukkuminen",
+ "presets": "Esiasetukset",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "both": "Molemmat",
+ "horizontal": "Vaakasuora",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Tavoitelämpötila-askel",
+ "garage": "Autotalli",
+ "not_charging": "Ei lataudu",
+ "disconnected": "Yhteys katkaistu",
+ "connected": "Yhdistetty",
+ "hot": "Kuuma",
+ "no_light": "Ei valoa",
+ "light_detected": "Valo havaittu",
+ "not_moving": "Ei liiku",
+ "unplugged": "Irrotettu",
+ "not_running": "Ei käynnissä",
+ "safe": "Turvallinen",
+ "unsafe": "Vaarallinen",
+ "tampering_detected": "Peukalointia havaittu",
+ "buffering": "Puskuroi",
+ "playing": "Toistetaan",
+ "standby": "Lepotilassa",
+ "app_id": "Sovelluksen tunnus",
+ "local_accessible_entity_picture": "Paikallisesti saavutettava kohteen kuva",
+ "group_members": "Ryhmän jäsenet",
+ "muted": "Mykistetty",
+ "album_artist": "Albumin esittäjä",
+ "content_id": "Sisällön tunnus",
+ "content_type": "Sisältötyyppi",
+ "channels": "Kanavat",
+ "position_updated": "Asema päivitetty",
+ "series": "Sarja",
+ "all": "Kaikki",
+ "one": "Yksi",
+ "available_sound_modes": "Saatavilla olevat äänitilat",
+ "available_sources": "Saatavilla olevat lähteet",
+ "receiver": "Vastaanotin",
+ "speaker": "Kaiutin",
+ "tv": "TV",
"end_time": "Päättymisaika",
"start_time": "Aloitusaika",
- "next_event": "Seuraava tapahtuma",
- "garage": "Autotalli",
"event_type": "Tapahtuman tyyppi",
"event_types": "Tapahtumatyypit",
"doorbell": "Ovikello",
- "running_automations": "Käynnissä olevat automaatiot",
- "id": "ID",
- "max_running_automations": "Ajettavien automaatioiden maksimimäärä",
- "run_mode": "Ajotila",
- "parallel": "Rinnakkain",
- "queued": "Jonossa",
- "single": "Yksittäinen",
- "cleaning": "Siivoaa",
- "returning_to_dock": "Palaamassa telakkaan",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Maksimissaan käynnissä olevat skriptit",
- "jammed": "Jumissa",
- "locking": "Lukitaan",
- "members": "Jäsenet",
- "known_hosts": "Tunnetut isännät",
- "google_cast_configuration": "Google Cast -määritykset",
- "confirm_description": "Haluatko määrittää {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Tili on jo määritetty",
- "abort_already_in_progress": "Määritysprosessi on jo käynnissä",
- "failed_to_connect": "Yhteyden muodostaminen epäonnistui",
- "invalid_access_token": "Virheellinen käyttöoikeustunnus",
- "invalid_authentication": "Virheellinen todennus",
- "received_invalid_token_data": "Vastaanotettu virheelliset tunnustiedot.",
- "abort_oauth_failed": "Virhe haettaessa käyttötunnusta.",
- "timeout_resolving_oauth_token": "Aikakatkaisu ratkaistaessa OAuth tokenia.",
- "abort_oauth_unauthorized": "OAuth -valtuutusvirhe haettaessa käyttötunnusta.",
- "re_authentication_was_successful": "Uudelleentodennus onnistui",
- "unexpected_error": "Odottamaton virhe",
- "successfully_authenticated": "Todennettu onnistuneesti",
- "link_fitbit": "Linkitä Fitbit",
- "pick_authentication_method": "Valitse todennusmenetelmä",
- "authentication_expired_for_name": "Todennus vanhentui kohteella {name}",
+ "above_horizon": "Horisontin yläpuolella",
+ "below_horizon": "Horisontin alapuolella",
+ "armed_away": "Viritetty (poissa)",
+ "armed_custom_bypass": "Virityksen ohittaminen",
+ "armed_home": "Viritetty (kotona)",
+ "armed_night": "Viritetty (yö)",
+ "armed_vacation": "Viritetty (loma)",
+ "disarming": "Virityksen poisto",
+ "code_for_arming": "Virittämisen koodi",
+ "not_required": "Ei vaadittu",
+ "finishes_at": "Päättyy",
+ "remaining": "Jäljellä",
+ "restore": "Palauta",
"device_is_already_configured": "Laite on jo määritetty",
+ "failed_to_connect": "Yhteyden muodostaminen epäonnistui",
"abort_no_devices_found": "Verkosta ei löytynyt laitteita",
+ "re_authentication_was_successful": "Uudelleentodennus onnistui",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Yhteysvirhe: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
"camera_stream_authentication_failed": "Camera stream authentication failed",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "Enable camera live view",
- "username": "Käyttäjätunnus",
+ "username": "Username",
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Todennus",
+ "authentication_expired_for_name": "Todennus vanhentui kohteella {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Jo määritetty. Vain yksi konfiguraatio mahdollinen.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Haluatko aloittaa määrityksen?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Ei tuettu Switchbot-tyyppi.",
+ "unexpected_error": "Odottamaton virhe",
+ "authentication_failed_error_detail": "Todennus epäonnistui: {error_detail}",
+ "error_encryption_key_invalid": "Avaimen tunnus tai salausavain on virheellinen.",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Haluatko määrittää {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Salausavain",
+ "key_id": "Key ID",
+ "password_description": "Salasana, jolla varmuuskopio suojataan.",
+ "mac_address": "MAC-osoite",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Virheellinen .ics-tiedosto",
- "calendar_name": "Kalenterin nimi",
- "starting_data": "Lähtötiedot",
+ "abort_already_in_progress": "Määritysprosessi on jo käynnissä",
"abort_invalid_host": "Virheellinen isäntänimi tai IP-osoite",
"device_not_supported": "Laitetta ei tueta",
+ "invalid_authentication": "Virheellinen todennus",
"name_model_at_host": "{name} ( {model} osoitteessa {host} )",
"authenticate_to_the_device": "Kirjaudu laitteeseen",
"finish_title": "Valitse laitteelle nimi",
@@ -2263,67 +2483,27 @@
"yes_do_it": "Kyllä, tee se.",
"unlock_the_device_optional": "Avaa laitteen lukitus (valinnainen)",
"connect_to_the_device": "Yhdistä laitteeseen",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Aikakatkaisu yhteyttä luodessa",
- "link_google_account": "Linkitä Google-tili",
- "path_is_not_allowed": "Polku ei ole sallittu",
- "path_is_not_valid": "Polku ei kelpaa",
- "path_to_file": "Polku tiedostoon",
- "api_key": "API-avain",
- "configure_daikin_ac": "Määritä Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Sovitin",
- "multiple_adapters_description": "Valitse asetettava Bluetooth-sovitin",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Laiteluokka",
- "state_template": "Tilamalli",
- "template_binary_sensor": "Malli binäärisensori",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Mallisensori",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Tee sensorimalli",
- "template_a_switch": "Template a switch",
- "template_helper": "Malliapuri",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Tili on jo määritetty",
+ "invalid_access_token": "Virheellinen käyttöoikeustunnus",
+ "received_invalid_token_data": "Vastaanotettu virheelliset tunnustiedot.",
+ "abort_oauth_failed": "Virhe haettaessa käyttötunnusta.",
+ "timeout_resolving_oauth_token": "Aikakatkaisu ratkaistaessa OAuth tokenia.",
+ "abort_oauth_unauthorized": "OAuth -valtuutusvirhe haettaessa käyttötunnusta.",
+ "successfully_authenticated": "Todennettu onnistuneesti",
+ "link_fitbit": "Linkitä Fitbit",
+ "pick_authentication_method": "Valitse todennusmenetelmä",
+ "two_factor_code": "Kaksivaiheinen koodi",
+ "two_factor_authentication": "Kaksivaiheinen tunnistautuminen",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Kirjaudu sisään Ring-tilillä",
+ "abort_alternative_integration": "Toinen integraatio tukee laitetta paremmin",
+ "abort_incomplete_config": "Konfiguraatiosta puuttuu vaadittu muuttuja",
+ "manual_description": "URL-osoite laitekuvaus-XML-tiedostoon",
+ "manual_title": "Manuaalinen DLNA DMR -laiteliitäntä",
+ "discovered_dlna_dmr_devices": "Löydetyt DLNA DMR -laitteet",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2349,48 +2529,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Silta on jo määritetty",
- "no_deconz_bridges_discovered": "deCONZ-siltoja ei löydy",
- "abort_no_hardware_available": "deCONZiin ei ole liitetty radiolaitteistoa",
- "abort_updated_instance": "Päivitetty deCONZ -instanssi uudella isäntäosoitteella",
- "error_linking_not_possible": "Yhteyden muodostaminen yhdyskäytävään ei onnistunut",
- "error_no_key": "API-avainta ei voitu saada",
- "link_with_deconz": "Linkitä deCONZiin",
- "select_discovered_deconz_gateway": "Valitse löydetty deCONZ-yhdyskäytävä",
- "pin_code": "PIN-koodi",
- "discovered_android_tv": "Löytyi Android TV",
- "abort_mdns_missing_mac": "Puuttuva MAC-osoite MDNS-ominaisuuksissa.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "ESPHome löydetty",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "Ei porttia päätepisteelle",
- "abort_no_services": "Päätepisteestä ei löytynyt palveluja",
- "discovered_wyoming_service": "Löytyi Wyoming -palvelu",
- "abort_alternative_integration": "Toinen integraatio tukee laitetta paremmin",
- "abort_incomplete_config": "Konfiguraatiosta puuttuu vaadittu muuttuja",
- "manual_description": "URL-osoite laitekuvaus-XML-tiedostoon",
- "manual_title": "Manuaalinen DLNA DMR -laiteliitäntä",
- "discovered_dlna_dmr_devices": "Löydetyt DLNA DMR -laitteet",
+ "api_key": "API-avain",
+ "configure_daikin_ac": "Määritä Daikin AC",
+ "cannot_connect_details_error_detail": "Yhteyttä ei voida muodostaa. Yksityiskohtia: {error_detail}",
+ "unknown_details_error_detail": "Tuntematon. Yksityiskohtia: {error_detail}",
+ "uses_an_ssl_certificate": "Käyttää SSL-varmennetta",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Sovitin",
+ "multiple_adapters_description": "Valitse asetettava Bluetooth-sovitin",
"api_error_occurred": "Tapahtui API-virhe",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Ota HTTPS käyttöön",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1-laite ei tue mukautettua porttia.",
- "two_factor_code": "Kaksivaiheinen koodi",
- "two_factor_authentication": "Kaksivaiheinen tunnistautuminen",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Kirjaudu sisään Ring-tilillä",
+ "timeout_establishing_connection": "Aikakatkaisu yhteyttä luodessa",
+ "link_google_account": "Linkitä Google-tili",
+ "path_is_not_allowed": "Polku ei ole sallittu",
+ "path_is_not_valid": "Polku ei kelpaa",
+ "path_to_file": "Polku tiedostoon",
+ "pin_code": "PIN-koodi",
+ "discovered_android_tv": "Löytyi Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "Kaikki entiteetit",
"hide_members": "Piilota jäsenet",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ohita ei-numeerinen",
"data_round_digits": "Pyöristää arvon desimaalien määrään",
"type": "Tyyppi",
@@ -2398,29 +2577,205 @@
"button_group": "Button group",
"cover_group": "Suojusryhmä",
"event_group": "Tapahtumaryhmä",
- "fan_group": "Tuuletinryhmä",
- "light_group": "Valoryhmä",
"lock_group": "Lukkoryhmä",
"media_player_group": "Mediasoitinryhmä",
"notify_group": "Notify group",
"sensor_group": "Sensoriryhmä",
"switch_group": "Kytkinryhmä",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Ei tuettu Switchbot-tyyppi.",
- "authentication_failed_error_detail": "Todennus epäonnistui: {error_detail}",
- "error_encryption_key_invalid": "Avaimen tunnus tai salausavain on virheellinen.",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Salasana, jolla varmuuskopio suojataan.",
- "device_address": "Laitteen osoite",
- "cannot_connect_details_error_detail": "Yhteyttä ei voida muodostaa. Yksityiskohtia: {error_detail}",
- "unknown_details_error_detail": "Tuntematon. Yksityiskohtia: {error_detail}",
- "uses_an_ssl_certificate": "Käyttää SSL-varmennetta",
+ "known_hosts": "Tunnetut isännät",
+ "google_cast_configuration": "Google Cast -määritykset",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Puuttuva MAC-osoite MDNS-ominaisuuksissa.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "ESPHome löydetty",
+ "bridge_is_already_configured": "Silta on jo määritetty",
+ "no_deconz_bridges_discovered": "deCONZ-siltoja ei löydy",
+ "abort_no_hardware_available": "deCONZiin ei ole liitetty radiolaitteistoa",
+ "abort_updated_instance": "Päivitetty deCONZ -instanssi uudella isäntäosoitteella",
+ "error_linking_not_possible": "Yhteyden muodostaminen yhdyskäytävään ei onnistunut",
+ "error_no_key": "API-avainta ei voitu saada",
+ "link_with_deconz": "Linkitä deCONZiin",
+ "select_discovered_deconz_gateway": "Valitse löydetty deCONZ-yhdyskäytävä",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "Ei porttia päätepisteelle",
+ "abort_no_services": "Päätepisteestä ei löytynyt palveluja",
+ "discovered_wyoming_service": "Löytyi Wyoming -palvelu",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1-laite ei tue mukautettua porttia.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "Tilamalli",
+ "template_binary_sensor": "Malli binäärisensori",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Mallisensori",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Tee sensorimalli",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Malliapuri",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "Tämä laite ei ole zha-laite",
+ "abort_usb_probe_failed": "USB-laitteen etsintä epäonnistui",
+ "invalid_backup_json": "Virheellinen varmuuskopion JSON",
+ "choose_an_automatic_backup": "Valitse automaattinen varmuuskopiointi",
+ "restore_automatic_backup": "Palauta automaattinen varmuuskopio",
+ "choose_formation_strategy_description": "Valitse radiosi verkkoasetukset.",
+ "restore_an_automatic_backup": "Automaattisen varmuuskopion palauttaminen",
+ "create_a_network": "Luo verkko",
+ "keep_radio_network_settings": "Säilytä radioverkon asetukset",
+ "upload_a_manual_backup": "Lataa manuaalinen varmuuskopio",
+ "network_formation": "Verkon muodostaminen",
+ "serial_device_path": "Sarjalaitteen polku",
+ "select_a_serial_port": "Valitse sarjaportti",
+ "radio_type": "Radiotyyppi",
+ "manual_pick_radio_type_description": "Valitse Zigbee-radiotyyppi",
+ "port_speed": "Portin nopeus",
+ "data_flow_control": "Tietovirran ohjaus",
+ "manual_port_config_description": "Anna sarjaportin asetukset",
+ "serial_port_settings": "Sarjaportin asetukset",
+ "data_overwrite_coordinator_ieee": "Korvaa pysyvästi radio IEEE-osoite",
+ "overwrite_radio_ieee_address": "Radio IEEE-osoitteen korvaaminen",
+ "upload_a_file": "Lataa tiedosto",
+ "radio_is_not_recommended": "Radiota ei suositella",
+ "invalid_ics_file": "Virheellinen .ics-tiedosto",
+ "calendar_name": "Kalenterin nimi",
+ "starting_data": "Lähtötiedot",
+ "zha_alarm_options_alarm_arm_requires_code": "Viritystoimintoihin vaadittava koodi",
+ "zha_alarm_options_alarm_master_code": "Hälytyskeskuksen pääkoodi",
+ "alarm_control_panel_options": "Hälytyksen ohjauspaneelin asetukset",
+ "zha_options_consider_unavailable_battery": "Pidä akkukäyttöisiä laitteita käyttämättöminä (sekunnin) jälkeen.",
+ "zha_options_consider_unavailable_mains": "Pidä verkkovirtakäyttöisiä laitteita käyttämättöminä (sekunnin) jälkeen.",
+ "zha_options_default_light_transition": "Valon oletussiirtymäaika (sekunteina)",
+ "zha_options_group_members_assume_state": "Ryhmän jäsenet omaksuvat ryhmän tilan",
+ "zha_options_light_transitioning_flag": "Ota tehostettu kirkkaussäädin käyttöön valon siirtymisen aikana",
+ "global_options": "Globaalit vaihtoehdot",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Uusintayritysten määrä",
+ "data_process": "Prosessit, jotka lisätään sensoreiksi",
+ "invalid_url": "Virheellinen URL",
+ "data_browse_unfiltered": "Näytä epäyhteensopiva media selatessa",
+ "event_listener_callback_url": "Tapahtuman kuuntelijan takaisinkutsun URL-osoite",
+ "data_listen_port": "Tapahtuman kuunteluportti (satunnainen, jos sitä ei ole asetettu)",
+ "poll_for_device_availability": "Kysely laitteen saatavuudesta",
+ "init_title": "DLNA Digital Media Renderer -konfiguraatio",
+ "broker_options": "Broker -asetukset",
+ "enable_birth_message": "Ota syntymäviesti käyttöön",
+ "birth_message_payload": "Syntymäviestin hyötykuorma",
+ "birth_message_qos": "Syntymäviesti QoS",
+ "birth_message_retain": "Syntymäviestin säilyttäminen",
+ "birth_message_topic": "Syntymäviestin aihe",
+ "enable_discovery": "Ota etsintä käyttöön",
+ "discovery_prefix": "Löytämisen etuliite",
+ "enable_will_message": "Ota testamenttiviesti käyttöön",
+ "will_message_payload": "Testamenttiviestin hyötykuorma",
+ "will_message_qos": "Testamenttiviesti QoS",
+ "will_message_retain": "Testamenttiviestin säilyttäminen",
+ "will_message_topic": "Testamenttiviestin aihe",
+ "data_description_discovery": "Mahdollisuus ottaa MQTT automaattinen etsintä käyttöön.",
+ "mqtt_options": "MQTT -asetukset",
+ "passive_scanning": "Passiivinen skannaus",
+ "protocol": "Protokolla",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Koodikieli",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "data_app_delete": "Check to delete this application",
+ "application_icon": "Application icon",
+ "application_id": "Application ID",
+ "application_name": "Application name",
+ "configure_application_id_app_id": "Configure application ID {app_id}",
+ "configure_android_apps": "Configure Android apps",
+ "configure_applications_list": "Configure applications list",
"ignore_cec": "Ohita CEC",
"allowed_uuids": "Sallitut UUID:t",
"advanced_google_cast_configuration": "Edistynyt Google Cast -määritys",
+ "allow_deconz_clip_sensors": "Salli deCONZ CLIP -sensorit",
+ "allow_deconz_light_groups": "Salli deCONZ -valoryhmät",
+ "data_allow_new_devices": "Salli uusien laitteiden automaattinen lisääminen",
+ "deconz_devices_description": "deCONZ -laitetyyppien näkyvyyden määrittäminen",
+ "deconz_options": "deCONZ-asetukset",
+ "select_test_server": "Valitse testipalvelin",
+ "data_calendar_access": "Home Assistant pääsy Google-kalenteriin",
+ "bluetooth_scanner_mode": "Bluetooth-skanneritila",
"device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
"not_supported": "Not Supported",
"localtuya_configuration": "LocalTuya Configuration",
@@ -2437,10 +2792,9 @@
"data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
"data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
"data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
"configure_tuya_device": "Configure Tuya device",
"configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Laitetunnus",
+ "device_id": "Device ID",
"local_key": "Local key",
"protocol_version": "Protocol Version",
"data_entities": "Entities (uncheck an entity to remove it)",
@@ -2509,93 +2863,13 @@
"enable_heuristic_action_optional": "Enable heuristic action (optional)",
"data_dps_default_value": "Default value when un-initialised (optional)",
"minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant pääsy Google-kalenteriin",
- "data_process": "Prosessit, jotka lisätään sensoreiksi",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passiivinen skannaus",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker -asetukset",
- "enable_birth_message": "Ota syntymäviesti käyttöön",
- "birth_message_payload": "Syntymäviestin hyötykuorma",
- "birth_message_qos": "Syntymäviesti QoS",
- "birth_message_retain": "Syntymäviestin säilyttäminen",
- "birth_message_topic": "Syntymäviestin aihe",
- "enable_discovery": "Ota etsintä käyttöön",
- "discovery_prefix": "Löytämisen etuliite",
- "enable_will_message": "Ota testamenttiviesti käyttöön",
- "will_message_payload": "Testamenttiviestin hyötykuorma",
- "will_message_qos": "Testamenttiviesti QoS",
- "will_message_retain": "Testamenttiviestin säilyttäminen",
- "will_message_topic": "Testamenttiviestin aihe",
- "data_description_discovery": "Mahdollisuus ottaa MQTT automaattinen etsintä käyttöön.",
- "mqtt_options": "MQTT -asetukset",
"data_allow_nameless_uuids": "Tällä hetkellä sallitut UUID-tunnukset. Poista valinta poistaaksesi",
"data_new_uuid": "Anna uusi sallittu UUID",
- "allow_deconz_clip_sensors": "Salli deCONZ CLIP -sensorit",
- "allow_deconz_light_groups": "Salli deCONZ -valoryhmät",
- "data_allow_new_devices": "Salli uusien laitteiden automaattinen lisääminen",
- "deconz_devices_description": "deCONZ -laitetyyppien näkyvyyden määrittäminen",
- "deconz_options": "deCONZ-asetukset",
- "data_app_delete": "Check to delete this application",
- "application_icon": "Application icon",
- "application_id": "Application ID",
- "application_name": "Application name",
- "configure_application_id_app_id": "Configure application ID {app_id}",
- "configure_android_apps": "Configure Android apps",
- "configure_applications_list": "Configure applications list",
- "invalid_url": "Virheellinen URL",
- "data_browse_unfiltered": "Näytä epäyhteensopiva media selatessa",
- "event_listener_callback_url": "Tapahtuman kuuntelijan takaisinkutsun URL-osoite",
- "data_listen_port": "Tapahtuman kuunteluportti (satunnainen, jos sitä ei ole asetettu)",
- "poll_for_device_availability": "Kysely laitteen saatavuudesta",
- "init_title": "DLNA Digital Media Renderer -konfiguraatio",
- "protocol": "Protokolla",
- "language_code": "Koodikieli",
- "bluetooth_scanner_mode": "Bluetooth-skanneritila",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Uusintayritysten määrä",
- "select_test_server": "Valitse testipalvelin",
- "toggle_entity_name": "Vaihda {entity_name}",
- "turn_off_entity_name": "Sammuta {entity_name}",
- "turn_on_entity_name": "Kytke päälle {entity_name}",
- "entity_name_is_off": "{entity_name} on pois päältä",
- "entity_name_is_on": "{entity_name} on päällä",
- "trigger_type_changed_states": "{entity_name} laitettiin päälle tai pois",
- "entity_name_turned_off": "{entity_name} sammui",
- "entity_name_turned_on": "{entity_name} laitettiin päälle",
+ "reconfigure_zha": "ZHA:n uudelleenkonfigurointi",
+ "unplug_your_old_radio": "Irrota vanha radio",
+ "intent_migrate_title": "Siirtyminen uuteen radioon",
+ "re_configure_the_current_radio": "Määritä nykyinen radio uudelleen",
+ "migrate_or_re_configure": "Siirtäminen tai uudelleenkonfigurointi",
"current_entity_name_apparent_power": "Nykyinen {entity_name} näennäisteho",
"condition_type_is_aqi": "Nykyinen {entity_name} ilmanlaatuindeksi",
"current_entity_name_area": "Current {entity_name} area",
@@ -2688,14 +2962,81 @@
"entity_name_water_changes": "{entity_name} vesi muuttuu",
"entity_name_weight_changes": "{entity_name} paino muuttuu",
"entity_name_wind_speed_changes": "{entity_name} tuulennopeus muuttuu",
+ "decrease_entity_name_brightness": "Vähennä {entity_name} kirkkautta",
+ "increase_entity_name_brightness": "Lisää {entity_name} kirkkautta",
+ "flash_entity_name": "Väläytä {entity_name}",
+ "toggle_entity_name": "Vaihda {entity_name}",
+ "turn_off_entity_name": "Sammuta {entity_name}",
+ "turn_on_entity_name": "Kytke päälle {entity_name}",
+ "entity_name_is_off": "{entity_name} on pois päältä",
+ "entity_name_is_on": "{entity_name} on päällä",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} laitettiin päälle tai pois",
+ "entity_name_turned_off": "{entity_name} sammui",
+ "entity_name_turned_on": "{entity_name} laitettiin päälle",
+ "set_value_for_entity_name": "Aseta arvo kohteelle {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} päivityksen saatavuus muuttui",
+ "entity_name_became_up_to_date": "{entity_name} tuli ajantasaiseksi",
+ "trigger_type_update": "{entity_name} on saanut päivityksen",
+ "first_button": "Ensimmäinen painike",
+ "second_button": "Toinen painike",
+ "third_button": "Kolmas painike",
+ "fourth_button": "Neljäs painike",
+ "fifth_button": "Viides painike",
+ "sixth_button": "Kuudes painike",
+ "subtype_double_clicked": "\"{subtype}\" kaksoisnapsautettu",
+ "subtype_continuously_pressed": "\" {subtype} \" jatkuvasti painettuna",
+ "trigger_type_button_long_release": "\"{subtype}\" vapautettu pitkän painalluksen jälkeen",
+ "subtype_quadruple_clicked": "\"{subtype}\" nelinkertaisesti napsautettu",
+ "subtype_quintuple_clicked": "\"{subtype}\" viisinkertaisesti napsautettu",
+ "subtype_pressed": "\"{subtype}\" painettu",
+ "subtype_released": "\"{subtype}\" vapautettu",
+ "subtype_triple_clicked": "\"{subtype}\" kolminkertaisesti napsautettu",
+ "entity_name_is_home": "{entity_name} on kotona",
+ "entity_name_is_not_home": "{entity_name} ei ole kotona",
+ "entity_name_enters_a_zone": "{entity_name} saapuu alueelle",
+ "entity_name_leaves_a_zone": "{entity_name} poistuu alueelta",
+ "press_entity_name_button": "Paina {entity_name} -painiketta",
+ "entity_name_has_been_pressed": "{entity_name} on painettu",
+ "let_entity_name_clean": "Anna {entity_name} puhdistaa",
+ "action_type_dock": "Anna {entity_name} palata telakkaan",
+ "entity_name_is_cleaning": "{entity_name} on siivoamassa",
+ "entity_name_is_docked": "{entity_name} on telakoituna",
+ "entity_name_started_cleaning": "{entity_name} aloitti siivouksen",
+ "entity_name_docked": "{entity_name} telakoitu",
+ "send_a_notification": "Lähetä ilmoitus",
+ "lock_entity_name": "Lukitse {entity_name}",
+ "open_entity_name": "Avaa {entity_name}",
+ "unlock_entity_name": "Avaa lukitus {entity_name}",
+ "entity_name_is_locked": "{entity_name} on lukossa",
+ "entity_name_is_open": "{entity_name} on auki",
+ "entity_name_is_unlocked": "{entity_name} on avattu",
+ "entity_name_locked": "{entity_name} lukittu",
+ "entity_name_opened": "{entity_name} avautui",
+ "entity_name_unlocked": "{entity_name} auki lukosta",
"action_type_set_hvac_mode": "Vaihda HVAC-tilaa {entity_name}:ssä.",
"change_preset_on_entity_name": "Muuta esiasetusta kohteessa {entity_name}",
"hvac_mode": "HVAC-tila",
"entity_name_measured_humidity_changed": "{entity_name} mitattu kosteus muuttui",
"entity_name_measured_temperature_changed": "{entity_name} lämpötila muuttui",
"entity_name_hvac_mode_changed": "{entity_name} HVAC-tila muuttui",
- "set_value_for_entity_name": "Aseta arvo {entity_name}",
- "value": "Arvo",
+ "close_entity_name": "Sulje {entity_name}",
+ "close_entity_name_tilt": "Sulje {entity_name} kallistus",
+ "open_entity_name_tilt": "Avaa {entity_name} kallistus",
+ "set_entity_name_position": "Aseta {entity_name} asema",
+ "set_entity_name_tilt_position": "Aseta {entity_name} kallistusasento",
+ "stop_entity_name": "Pysäytä {entity_name}",
+ "entity_name_is_closed": "{entity_name} on suljettu",
+ "entity_name_is_closing": "{entity_name} on sulkeutumassa",
+ "entity_name_is_opening": "{entity_name} on avautumassa",
+ "current_entity_name_position_is": "Nykyinen {entity_name} asema on",
+ "condition_type_is_tilt_position": "Tämänhetkinen {entity_name} kallistusasento on",
+ "entity_name_closed": "{entity_name} sulkeutui",
+ "entity_name_closing": "{entity_name} sulkeutuu",
+ "entity_name_opening": "{entity_name} avautuu",
+ "entity_name_position_changes": "{entity_name} sijainti muuttuu",
+ "entity_name_tilt_position_changes": "{entity_name} kallistusasento muuttuu",
"entity_name_battery_is_low": "{entity_name} akun varaus on alhainen",
"entity_name_charging": "{entity_name} latautuu",
"condition_type_is_co": "{entity_name} havaitsee häkää",
@@ -2704,7 +3045,6 @@
"entity_name_is_detecting_gas": "{entity_name} havaitsee kaasua",
"entity_name_is_hot": "{entity_name} on kuuma",
"entity_name_is_detecting_light": "{entity_name} havaitsee valoa",
- "entity_name_is_locked": "{entity_name} on lukittu",
"entity_name_is_moist": "{entity_name} on kostea",
"entity_name_is_detecting_motion": "{entity_name} havaitsee liikettä",
"entity_name_is_moving": "{entity_name} liikkuu",
@@ -2722,11 +3062,9 @@
"entity_name_is_not_cold": "{entity_name} ei ole kylmä",
"entity_name_is_disconnected": "{entity_name}:n yhteys on katkaistu",
"entity_name_is_not_hot": "{entity_name} ei ole kuuma",
- "entity_name_is_unlocked": "{entity_name} on auki",
"entity_name_is_dry": "{entity_name} on kuiva",
"entity_name_is_not_moving": "{entity_name} ei ole liikkeessä",
"entity_name_is_not_occupied": "{entity_name} ei ole varattu",
- "entity_name_is_closed": "{entity_name} on suljettu",
"entity_name_is_unplugged": "{entity_name} on irtikytketty",
"entity_name_is_not_powered": "{entity_name} ei ole virroissa",
"entity_name_is_not_present": "{entity_name} ei ole paikalla",
@@ -2734,7 +3072,6 @@
"condition_type_is_not_tampered": "{entity_name} ei havaitse peukalointia",
"entity_name_is_safe": "{entity_name} on turvassa",
"entity_name_is_occupied": "{entity_name} on varattu",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} on kytketty",
"entity_name_is_powered": "{entity_name} on virroissa",
"entity_name_is_present": "{entity_name} on paikalla",
@@ -2753,7 +3090,6 @@
"entity_name_started_detecting_gas": "{entity_name} alkoi havaita kaasua",
"entity_name_became_hot": "{entity_name} kuumeni",
"entity_name_started_detecting_light": "{entity_name} alkoi havaita valoa",
- "entity_name_locked": "{entity_name} lukittu",
"entity_name_became_moist": "{entity_name} muuttui kosteaksi",
"entity_name_started_detecting_motion": "{entity_name} alkoi havaita liikettä",
"entity_name_started_moving": "{entity_name} alkoi liikkua",
@@ -2764,17 +3100,14 @@
"entity_name_stopped_detecting_problem": "{entity_name} lopetti ongelman havaitsemisen",
"entity_name_stopped_detecting_smoke": "{entity_name} lopetti savun havaitsemisen",
"entity_name_stopped_detecting_sound": "{entity_name} lopetti äänen havaitsemisen",
- "entity_name_became_up_to_date": "{entity_name} tuli ajantasaiseksi",
"entity_name_stopped_detecting_vibration": "{entity_name} lopetti tärinän havaitsemisen",
"entity_name_battery_normal": "{entity_name} akku normaali",
"entity_name_became_not_cold": "{entity_name} ei tullut kylmäksi",
"entity_name_disconnected": "{entity_name} yhteys on katkaistu",
"entity_name_became_not_hot": "{entity_name} ei tullut kuumaksi",
- "entity_name_unlocked": "{entity_name} auki",
"entity_name_became_dry": "{entity_name} kuivui",
"entity_name_stopped_moving": "{entity_name} lopetti liikkumisen",
"entity_name_became_not_occupied": "{entity_name} ei tullut varatuksi",
- "entity_name_closed": "{entity_name} sulkeutui",
"entity_name_unplugged": "{entity_name} irrotettu",
"entity_name_not_powered": "{entity_name} ei saa virtaa",
"entity_name_not_present": "{entity_name} ei paikalla",
@@ -2782,7 +3115,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} lopetti peukaloinnin havaitsemisen",
"entity_name_became_safe": "{entity_name} tuli turvalliseksi",
"entity_name_became_occupied": "{entity_name} tuli varatuksi",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} kytketty",
"entity_name_powered": "{entity_name} virtoihin kytketty",
"entity_name_present": "{entity_name} paikalla",
@@ -2792,7 +3124,6 @@
"entity_name_started_detecting_sound": "{entity_name} alkoi havaita ääntä",
"entity_name_started_detecting_tampering": "{entity_name} alkoi havaita peukalointia",
"entity_name_became_unsafe": "{entity_name} muuttui epäturvalliseksi",
- "trigger_type_update": "{entity_name} on saanut päivityksen",
"entity_name_started_detecting_vibration": "{entity_name} alkoi havaita tärinää",
"entity_name_is_buffering": "{entity_name} puskuroi",
"entity_name_is_idle": "{entity_name} on toimeton",
@@ -2801,35 +3132,6 @@
"entity_name_starts_buffering": "{entity_name} aloittaa puskuroinnin",
"entity_name_becomes_idle": "{entity_name} muuttuu toimettomaksi",
"entity_name_starts_playing": "{entity_name} aloittaa toistamisen",
- "entity_name_is_home": "{entity_name} on kotona",
- "entity_name_is_not_home": "{entity_name} ei ole kotona",
- "entity_name_enters_a_zone": "{entity_name} saapuu alueelle",
- "entity_name_leaves_a_zone": "{entity_name} poistuu alueelta",
- "decrease_entity_name_brightness": "Vähennä {entity_name} kirkkautta",
- "increase_entity_name_brightness": "Lisää {entity_name} kirkkautta",
- "flash_entity_name": "Väläytä {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} päivityksen saatavuus muuttui",
- "arm_entity_name_away": "Viritä {entity_name} poissa",
- "arm_entity_name_home": "Viritä {entity_name} kotona",
- "arm_entity_name_night": "Viritä {entity_name} yö",
- "arm_entity_name_vacation": "Aktivoi {entity_name} lomatila",
- "disarm_entity_name": "Pura viritys {entity_name}",
- "trigger_entity_name": "Laukaise {entity_name}",
- "entity_name_is_armed_away": "{entity_name} on viritetty poissa",
- "entity_name_is_armed_home": "{entity_name} on viritetty kotona",
- "entity_name_is_armed_night": "{entity_name} on viritetty yö",
- "entity_name_is_armed_vacation": "{entity_name} on viritetty (loma)",
- "entity_name_is_disarmed": "{entity_name} on viritetty pois",
- "entity_name_is_triggered": "{entity_name} on laukaistu",
- "entity_name_armed_away": "{entity_name} viritetty (poissa)",
- "entity_name_armed_home": "{entity_name} viritetty (kotona)",
- "entity_name_armed_night": "{entity_name} viritetty (yö)",
- "entity_name_armed_vacation": "{entity_name} viritetty (loma)",
- "entity_name_disarmed": "{entity_name} viritys pois",
- "entity_name_triggered": "{entity_name} laukaistu",
- "press_entity_name_button": "Paina {entity_name} -painiketta",
- "entity_name_has_been_pressed": "{entity_name} on painettu",
"action_type_select_first": "Vaihda {entity_name} ensimmäiseksi vaihtoehdoksi",
"action_type_select_last": "Vaihda {entity_name} viimeiseksi vaihtoehdoksi",
"action_type_select_next": "Vaihda {entity_name} seuraavaan vaihtoehtoon",
@@ -2839,35 +3141,6 @@
"cycle": "Sykli",
"from": "From",
"entity_name_option_changed": "{entity_name} vaihtoehto muuttui",
- "close_entity_name": "Sulje {entity_name}",
- "close_entity_name_tilt": "Sulje {entity_name} kallistus",
- "open_entity_name": "Avaa {entity_name}",
- "open_entity_name_tilt": "Avaa {entity_name} kallistus",
- "set_entity_name_position": "Aseta {entity_name} asema",
- "set_entity_name_tilt_position": "Aseta {entity_name} kallistusasento",
- "stop_entity_name": "Pysäytä {entity_name}",
- "entity_name_is_closing": "{entity_name} on sulkeutumassa",
- "entity_name_is_opening": "{entity_name} on avautumassa",
- "current_entity_name_position_is": "Nykyinen {entity_name} asema on",
- "condition_type_is_tilt_position": "Tämänhetkinen {entity_name} kallistusasento on",
- "entity_name_closing": "{entity_name} sulkeutuu",
- "entity_name_opening": "{entity_name} avautuu",
- "entity_name_position_changes": "{entity_name} sijainti muuttuu",
- "entity_name_tilt_position_changes": "{entity_name} kallistusasento muuttuu",
- "first_button": "Ensimmäinen painike",
- "second_button": "Toinen painike",
- "third_button": "Kolmas painike",
- "fourth_button": "Neljäs painike",
- "fifth_button": "Viides painike",
- "sixth_button": "Kuudes painike",
- "subtype_double_clicked": "{subtype} kaksoisnapsautettu",
- "subtype_continuously_pressed": "\" {subtype} \" jatkuvasti painettuna",
- "trigger_type_button_long_release": "\"{subtype}\" vapautettu pitkän painalluksen jälkeen",
- "subtype_quadruple_clicked": "\"{subtype}\" nelinkertaisesti napsautettu",
- "subtype_quintuple_clicked": "\"{subtype}\" viisinkertaisesti napsautettu",
- "subtype_pressed": "\"{subtype}\" painettu",
- "subtype_released": "\"{subtype}\" vapautettu",
- "subtype_triple_clicked": "{subtype} kolminkertaisesti klikattu",
"both_buttons": "Molemmat painikkeet",
"bottom_buttons": "Alapainikkeet",
"seventh_button": "Seitsemäs painike",
@@ -2892,13 +3165,6 @@
"trigger_type_remote_rotate_from_side": "Laite käännetty \"puolelta 6\" puolelle \"{subtype}\"",
"device_turned_clockwise": "Laitetta käännetty myötäpäivään",
"device_turned_counter_clockwise": "Laitetta käännetty vastapäivään",
- "send_a_notification": "Lähetä ilmoitus",
- "let_entity_name_clean": "Anna {entity_name} puhdistaa",
- "action_type_dock": "Anna {entity_name} palata telakkaan",
- "entity_name_is_cleaning": "{entity_name} on siivoamassa",
- "entity_name_is_docked": "{entity_name} on telakoituna",
- "entity_name_started_cleaning": "{entity_name} aloitti siivouksen",
- "entity_name_docked": "{entity_name} telakoitu",
"subtype_button_down": "{subtype} painike alas",
"subtype_button_up": "{subtype} painike ylös",
"subtype_double_push": "{subtype} kaksoispainallus",
@@ -2909,28 +3175,54 @@
"trigger_type_single_long": "{subtype} kerran klikattu ja sen jälkeen pitkään klikattu",
"subtype_single_push": "{subtype} yksittäinen painallus",
"subtype_triple_push": "{subtype} kolminkertaisesti painettu",
- "lock_entity_name": "Lukitse {entity_name}",
- "unlock_entity_name": "Avaa lukitus {entity_name}",
+ "arm_entity_name_away": "Viritä {entity_name} poissa",
+ "arm_entity_name_home": "Viritä {entity_name} kotona",
+ "arm_entity_name_night": "Viritä {entity_name} yö",
+ "arm_entity_name_vacation": "Aktivoi {entity_name} lomatila",
+ "disarm_entity_name": "Pura viritys {entity_name}",
+ "trigger_entity_name": "Laukaise {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} on viritetty poissa",
+ "entity_name_is_armed_home": "{entity_name} on viritetty kotona",
+ "entity_name_is_armed_night": "{entity_name} on viritetty yö",
+ "entity_name_is_armed_vacation": "{entity_name} on viritetty (loma)",
+ "entity_name_is_disarmed": "{entity_name} on viritetty pois",
+ "entity_name_is_triggered": "{entity_name} on laukaistu",
+ "entity_name_armed_away": "{entity_name} viritetty (poissa)",
+ "entity_name_armed_home": "{entity_name} viritetty (kotona)",
+ "entity_name_armed_night": "{entity_name} viritetty (yö)",
+ "entity_name_armed_vacation": "{entity_name} viritetty (loma)",
+ "entity_name_disarmed": "{entity_name} viritys pois",
+ "entity_name_triggered": "{entity_name} laukaistu",
+ "action_type_issue_all_led_effect": "Aseta efekti kaikilleLEDeille",
+ "action_type_issue_individual_led_effect": "Aseta efekti yksittäiselle LEDille",
+ "squawk": "Squawk",
+ "warn": "Varoita",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "Kasvot 6 aktivoituna",
+ "with_any_specified_face_s_activated": "Kun mitkä tahansa/määrityt kasvot on aktivoituna",
+ "device_dropped": "Laite pudotettu",
+ "device_flipped_subtype": "Laitetta käännetty \" {subtype} \"",
+ "device_knocked_subtype": "Laitetta koputettu \" {subtype} \"",
+ "device_offline": "Laite offline",
+ "device_rotated_subtype": "Laite kääntyi \"{subtype}\"",
+ "device_slid_subtype": "Laite liukui \"{subtype}\"",
+ "device_tilted": "Laite kallistui",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" kaksoisnapsautettu (vaihtoehtoinen tila)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" jatkuvasti painettuna (vaihtoehtoinen tila)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" vapautettu pitkän painalluksen jälkeen (vaihtoehtoinen tila)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" nelinkertaisesti napsautettu (vaihtoehtoinen tila)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" viisinkertaisesti napsautettu (vaihtoehtoinen tila)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" painettu (vaihtoehtoinen tila)",
+ "subtype_released_alternate_mode": "\"{subtype}\" vapautettu (vaihtoehtoinen tila)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" kolminkertaisesti napautettu (vaihtoehtoinen tila)",
"add_to_queue": "Lisää jonoon",
"play_next": "Toista seuraavaksi",
"options_replace": "Soita nyt ja tyhjennä jono",
"repeat_all": "Toista kaikki",
"repeat_one": "Toista yksi",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "Ei mittayksikköä",
- "critical": "Kriittinen",
- "debug": "Vianmääritys",
- "info": "Info",
- "warning": "Varoitus",
- "create_an_empty_calendar": "Luo tyhjä kalenteri",
- "options_import_ics_file": "Lähetä iCalendar-tiedosto",
- "passive": "Passiivinen",
- "arithmetic_mean": "Aritmeettinen keskiarvo",
- "median": "Mediaani",
- "product": "Tulo",
- "statistical_range": "Tilastollinen vaihteluväli",
- "standard_deviation": "Standard deviation",
- "fatal": "Kohtalokas",
"alice_blue": "Liisan sininen",
"antique_white": "Antiikki valkoinen",
"aqua": "Aqua",
@@ -3051,52 +3343,21 @@
"wheat": "Vehnä",
"white_smoke": "Valkoinen savu",
"yellow_green": "Kelta-vihreä",
- "sets_the_value": "Asettaa arvon.",
- "the_target_value": "Tavoitearvo.",
- "command": "Komento",
- "device_description": "Laitteen ID, johon komento lähetetään.",
- "delete_command": "Poista komento",
- "alternative": "Vaihtoehtoinen",
- "command_type_description": "Opittavan komennon tyyppi.",
- "command_type": "Komennon tyyppi",
- "timeout_description": "Aikakatkaisu komennon oppimiselle.",
- "learn_command": "Opi komento",
- "delay_seconds": "Viive sekuntia",
- "hold_seconds": "Pidä sekuntia",
- "repeats": "Toistot",
- "send_command": "Lähetä komento",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Sammuta yksi tai useampi valo.",
- "turn_on_description": "Aloittaa uuden siivoustehtävän.",
- "set_datetime_description": "Asettaa päivämäärän ja/tai kellonajan.",
- "the_target_date": "Tavoitepäivämäärä.",
- "datetime_description": "Tavoitepäivä ja -aika.",
- "date_time": "Päivämäärä ja aika",
- "the_target_time": "Tavoiteaika.",
- "creates_a_new_backup": "Luo uuden varmuuskopion.",
- "apply_description": "Aktivoi tilanteen konfiguraation kanssa.",
- "entities_description": "Luettelo kohteista ja niiden tavoitetiloista.",
- "entities_state": "Kohteiden tila",
- "transition": "Transition",
- "apply": "Käytä",
- "creates_a_new_scene": "Luo uuden tilanteen.",
- "scene_id_description": "Uuden tilanteen kohdetunnus",
- "scene_entity_id": "Tilanteen kohdetunnus",
- "snapshot_entities": "Tilannekuvan entiteetit",
- "delete_description": "Poistaa dynaamisesti luodun tilanteen.",
- "activates_a_scene": "Aktivoi tilanteen.",
- "closes_a_valve": "Sulkee venttiilin.",
- "opens_a_valve": "Avaa venttiilin.",
- "set_valve_position_description": "Siirtää venttiilin tiettyyn asentoon.",
- "target_position": "Kohdeasento.",
- "set_position": "Aseta asento",
- "stops_the_valve_movement": "Pysäyttää venttiilin liikkeen.",
- "toggles_a_valve_open_closed": "Vaihtaa venttiilin auki/kiinni.",
- "dashboard_path": "Kojelaudan polku",
- "view_path": "Näytä polku",
- "show_dashboard_view": "Näytä kojelautanäkymä",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Kriittinen",
+ "debug": "Vianmääritys",
+ "info": "Info",
+ "warning": "Varoitus",
+ "passive": "Passiivinen",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "Ei mittayksikköä",
+ "fatal": "Kohtalokas",
+ "arithmetic_mean": "Aritmeettinen keskiarvo",
+ "median": "Mediaani",
+ "product": "Tulo",
+ "statistical_range": "Tilastollinen vaihteluväli",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Luo tyhjä kalenteri",
+ "options_import_ics_file": "Lähetä iCalendar-tiedosto",
"sets_a_random_effect": "Asettaa satunnaisen tehosteen.",
"sequence_description": "Luettelo HSV-sekvensseistä (enintään 16).",
"backgrounds": "Taustat",
@@ -3113,111 +3374,22 @@
"saturation_range": "Kylläisyysalue",
"segments_description": "Luettelo segmenteistä (0 kaikille).",
"segments": "Segmentit",
+ "transition": "Siirtymä",
"range_of_transition": "Siirtymäalue.",
"transition_range": "Siirtymäalue",
"random_effect": "Satunnainen efekti",
"sets_a_sequence_effect": "Asettaa sekvenssitehosteen.",
"repetitions_for_continuous": "Toistot (0, kun kyseessä on jatkuva).",
+ "repeats": "Toistot",
"sequence": "Järjestys",
"speed_of_spread": "Levitysnopeus.",
"spread": "Levitys",
"sequence_effect": "Sekvenssiefekti",
- "check_configuration": "Tarkista konfiguraatio",
- "reload_all": "Uudelleenlataa kaikki",
- "reload_config_entry_description": "Lataa määritetyn konfigurointimerkinnän uudelleen.",
- "config_entry_id": "Konfigurointimerkinnän tunnus",
- "reload_config_entry": "Lataa konfigurointimerkintä uudelleen",
- "reload_core_config_description": "Lataa ydinkonfiguraation uudelleen YAML-konfiguraatiosta.",
- "reload_core_configuration": "Lataa ydinkonfiguraatio uudelleen",
- "reload_custom_jinja_templates": "Lataa mukautetut Jinja2-mallit uudelleen",
- "restarts_home_assistant": "Käynnistää Home Assistantin uudelleen.",
- "safe_mode_description": "Poista mukautetut integraatiot ja mukautetut kortit käytöstä.",
- "save_persistent_states": "Tallenna pysyviä tiloja",
- "set_location_description": "Päivittää Home Assistantin sijainnin.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Sijaintisi leveysaste.",
- "longitude_of_your_location": "Sijaintisi pituusaste.",
- "set_location": "Aseta sijainti",
- "stops_home_assistant": "Pysäyttää Home Assistantin.",
- "generic_toggle": "Yleinen vaihtokytkin",
- "generic_turn_off": "Yleinen sammutus",
- "generic_turn_on": "Yleinen päälle kytkeminen",
- "entity_id_description": "Kohde, johon viitataan lokikirjamerkinnässä.",
- "entities_to_update": "Entities to update",
- "update_entity": "Päivitä entiteetti",
- "turns_auxiliary_heater_on_off": "Kytkee lisälämmittimen päälle/pois päältä.",
- "aux_heat_description": "Lisälämmittimen uusi arvo.",
- "auxiliary_heating": "Lisälämmitys",
- "turn_on_off_auxiliary_heater": "Lisälämmittimen kytkeminen päälle/pois päältä",
- "sets_fan_operation_mode": "Asettaa tuulettimen toimintatilan.",
- "fan_operation_mode": "Tuulettimen toimintatila.",
- "set_fan_mode": "Aseta tuuletintila",
- "sets_target_humidity": "Asettaa tavoitekosteuden.",
- "set_target_humidity": "Aseta tavoitekosteus",
- "sets_hvac_operation_mode": "Asettaa HVAC-toimintatilan.",
- "hvac_operation_mode": "HVAC-toimintatila.",
- "set_hvac_mode": "Aseta HVAC-tila",
- "sets_preset_mode": "Asettaa esiasetetun tilan.",
- "set_preset_mode": "Aseta esiasetustila",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Asettaa heilutus toimintatilan.",
- "swing_operation_mode": "Heilutus toimintatila.",
- "set_swing_mode": "Aseta heilutustila",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Aseta tavoitelämpötila",
- "turns_climate_device_off": "Kytkee ilmastolaitteen pois päältä.",
- "turns_climate_device_on": "Kytkee ilmastolaitteen päälle.",
- "decrement_description": "Vähentää nykyistä arvoa 1 askeleen.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Asettaa numeron arvon.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Konfiguraatioparametrin arvo.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Tyhjennä soittolista",
- "selects_the_next_track": "Valitsee seuraavan kappaleen.",
- "pauses": "Keskeyttää.",
- "starts_playing": "Aloittaa soittamisen.",
- "toggles_play_pause": "Vaihtaa toiston/tauon.",
- "selects_the_previous_track": "Valitsee edellisen kappaleen.",
- "seek": "Etsi",
- "stops_playing": "Lopettaa soittamisen.",
- "starts_playing_specified_media": "Aloittaa tietyn median toiston.",
- "announce": "Announce",
- "enqueue": "Jono",
- "repeat_mode_to_set": "Asetettava toistotila.",
- "select_sound_mode_description": "Valitsee tietyn äänitilan.",
- "select_sound_mode": "Valitse äänitila",
- "select_source": "Valitse lähde",
- "shuffle_description": "Onko satunnaistoisto käytössä vai ei.",
- "toggle_description": "Kytkee pölynimurin päälle/pois.",
- "unjoin": "Peruuta liittyminen",
- "turns_down_the_volume": "Vähentää äänenvoimakkuutta.",
- "turn_down_volume": "Vähennä äänenvoimakkuutta",
- "volume_mute_description": "Mykistää mediasoittimen tai poistaa sen mykistyksen.",
- "is_volume_muted_description": "Määrittää, onko se mykistetty vai ei.",
- "mute_unmute_volume": "Mykistä/poista mykistys",
- "sets_the_volume_level": "Asettaa äänenvoimakkuuden.",
- "level": "Taso",
- "set_volume": "Aseta äänenvoimakkuus",
- "turns_up_the_volume": "Lisää äänenvoimakkuutta.",
- "turn_up_volume": "Lisää äänenvoimakkuutta",
- "battery_description": "Laitteen akun varaustaso.",
- "gps_coordinates": "GPS-koordinaatit",
- "gps_accuracy_description": "GPS-koordinaattien tarkkuus.",
- "hostname_of_the_device": "Laitteen isäntänimi.",
- "hostname": "Isäntänimi",
- "mac_description": "Laitteen MAC-osoite.",
- "see": "Katso",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Kytkee sireenin päälle/pois.",
+ "turns_the_siren_off": "Sammuttaa sireenin.",
+ "turns_the_siren_on": "Käynnistää sireenin.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3230,25 +3402,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
"brightness_step_value": "Brightness step value",
"brightness_step_pct_description": "Change brightness by a percentage.",
"brightness_step": "Brightness step",
- "add_event_description": "Lisää uuden kalenteritapahtuman.",
- "calendar_id_description": "Haluamasi kalenterin tunnus.",
- "calendar_id": "Kalenterin tunnus",
- "description_description": "Tapahtuman kuvaus. Valinnainen.",
- "summary_description": "Toimii tapahtuman otsikkona.",
- "location_description": "Tapahtuman paikka.",
- "create_event": "Luo tapahtuma",
- "apply_filter": "Käytä suodatinta",
- "days_to_keep": "Säilytettävät päivät",
- "repack": "Pakkaa uudelleen",
- "purge": "Puhdistus",
- "domains_to_remove": "Poistettavat verkkotunnukset",
- "entity_globs_to_remove": "Poistettavat entiteettipallot",
- "entities_to_remove": "Poistettavat entiteetit",
- "purge_entities": "Tyhjennä entiteetit",
+ "toggles_the_helper_on_off": "Vaihtaa apurin päälle/pois päältä.",
+ "turns_off_the_helper": "Sammuttaa apurin.",
+ "turns_on_the_helper": "Käynnistää apurin.",
+ "pauses_the_mowing_task": "Keskeyttää leikkuutehtävän.",
+ "starts_the_mowing_task": "Aloittaa leikkuutehtävän.",
+ "creates_a_new_backup": "Luo uuden varmuuskopion.",
+ "sets_the_value": "Asettaa arvon.",
+ "enter_your_text": "Kirjoita tekstisi.",
+ "set_value": "Aseta arvo",
+ "clear_lock_user_code_description": "Poistaa käyttäjäkoodin lukosta.",
+ "code_slot_description": "Koodipaikka, johon koodi asetetaan.",
+ "code_slot": "Koodipaikka",
+ "clear_lock_user": "Tyhjennä lukituksen käyttäjä",
+ "disable_lock_user_code_description": "Poistaa lukon käyttäjäkoodin käytöstä.",
+ "code_slot_to_disable": "Koodipaikka poistettavaksi.",
+ "disable_lock_user": "Poista käyttäjän lukitus käytöstä",
+ "enable_lock_user_code_description": "Ottaa käyttöön lukon käyttäjäkoodin.",
+ "code_slot_to_enable": "Koodipaikka käyttöönottoa varten.",
+ "enable_lock_user": "Käyttäjän lukituksen ottaminen käyttöön",
+ "args_description": "Komennolle siirrettävät argumentit.",
+ "args": "Argumentit",
+ "cluster_id_description": "ZCL-klusteri, jonka attribuutit noudetaan.",
+ "cluster_id": "Klusterin tunnus",
+ "type_of_the_cluster": "Klusterin tyyppi.",
+ "cluster_type": "Klusterin tyyppi",
+ "command_description": "Google Assistantille lähetettävät komennot.",
+ "command": "Komento",
+ "command_type_description": "Opittavan komennon tyyppi.",
+ "command_type": "Komennon tyyppi",
+ "endpoint_id_description": "Klusterin päätepistetunnus.",
+ "endpoint_id": "Päätepisteen tunnus",
+ "ieee_description": "laitteen IEEE-osoite.",
+ "ieee": "IEEE",
+ "manufacturer": "Valmistaja",
+ "params_description": "Komentoon siirrettävät parametrit.",
+ "params": "Parametrit",
+ "issue_zigbee_cluster_command": "Anna zigbee-klusterin komento",
+ "group_description": "Ryhmän heksadesimaaliosoite.",
+ "issue_zigbee_group_command": "Anna zigbee-ryhmäkomento",
+ "permit_description": "Sallii solmujen liittymisen Zigbee-verkkoon.",
+ "time_to_permit_joins": "Aika sallia liittymiset.",
+ "install_code": "Asenna koodi",
+ "qr_code": "QR-koodi",
+ "source_ieee": "Lähde IEEE",
+ "permit": "Lupa",
+ "reconfigure_device": "Määritä laite uudelleen",
+ "remove_description": "Poistaa solmun Zigbee-verkosta.",
+ "set_lock_user_code_description": "Asettaa käyttäjäkoodin lukkoon.",
+ "code_to_set": "Asetettava koodi.",
+ "set_lock_user_code": "Aseta lukituksen käyttäjäkoodi",
+ "attribute_description": "Määritettävän attribuutin tunnus.",
+ "value_description": "Asetettava tavoitearvo.",
+ "set_zigbee_cluster_attribute": "Aseta zigbee-klusterin attribuutti",
+ "level": "Taso",
+ "strobe": "Stroboskooppi",
+ "warning_device_squawk": "Varoituslaitteen kiljuminen",
+ "duty_cycle": "Työjakso",
+ "intensity": "Intensiteetti",
+ "warning_device_starts_alert": "Varoituslaite alkaa hälyttää",
"dump_log_objects": "Tyhjennä lokiobjektit",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3274,27 +3491,303 @@
"stop_logging_object_sources": "Lopeta objektilähteiden kirjaaminen",
"stop_log_objects_description": "Lopettaa muistissa olevien objektien kasvun kirjaamisen.",
"stop_logging_objects": "Lopeta objektien kirjaaminen",
+ "set_default_level_description": "Asettaa integraatioiden oletuslokitason.",
+ "level_description": "Oletusvakavuustaso kaikille integroinneille.",
+ "set_default_level": "Aseta oletustaso",
+ "set_level": "Aseta taso",
+ "stops_a_running_script": "Pysäyttää käynnissä olevan skriptin.",
+ "clear_skipped_update": "Tyhjennä ohitettu päivitys",
+ "install_update": "Asenna päivitys",
+ "skip_description": "Merkitsee tällä hetkellä saatavilla olevan päivityksen ohitetuksi.",
+ "skip_update": "Ohita päivitys",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Vähennä nopeutta",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Lisää nopeutta",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Aseta suunta",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Tuulettimen nopeus.",
+ "percentage": "Prosenttiosuus",
+ "set_speed": "Aseta nopeus",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Esiasetettu tila.",
+ "set_preset_mode": "Aseta esiasetustila",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Sammuttaa tuulettimen.",
+ "turns_fan_on": "Kytkee tuulettimen päälle.",
+ "set_datetime_description": "Asettaa päivämäärän ja/tai kellonajan.",
+ "the_target_date": "Tavoitepäivämäärä.",
+ "datetime_description": "Tavoitepäivä ja -aika.",
+ "date_time": "Päivämäärä ja aika",
+ "the_target_time": "Tavoiteaika.",
+ "log_description": "Luo mukautetun merkinnän lokikirjaan.",
+ "entity_id_description": "Mediasoittimet viestin toistamiseen.",
+ "message_description": "Ilmoituksen tekstiosa.",
+ "log": "Loki",
+ "request_sync_description": "Lähettää request_sync-komennon Googlelle.",
+ "agent_user_id": "Agentin käyttäjätunnus",
+ "request_sync": "Pyydä synkronointia",
+ "apply_description": "Aktivoi tilanteen konfiguraation kanssa.",
+ "entities_description": "Luettelo kohteista ja niiden tavoitetiloista.",
+ "entities_state": "Kohteiden tila",
+ "apply": "Käytä",
+ "creates_a_new_scene": "Luo uuden tilanteen.",
+ "entity_states": "Entity states",
+ "scene_id_description": "Uuden tilanteen kohdetunnus",
+ "scene_entity_id": "Tilanteen kohdetunnus",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Poistaa dynaamisesti luodun tilanteen.",
+ "activates_a_scene": "Aktivoi tilanteen.",
"reload_themes_description": "Lataa teemat uudelleen YAML-konfiguraatiosta.",
"reload_themes": "Lataa teemat uudelleen",
"name_of_a_theme": "Teeman nimi.",
"set_the_default_theme": "Aseta oletusteema",
+ "decrement_description": "Vähentää nykyistä arvoa 1 askeleen.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Asettaa numeron arvon.",
+ "check_configuration": "Tarkista konfiguraatio",
+ "reload_all": "Uudelleenlataa kaikki",
+ "reload_config_entry_description": "Lataa määritetyn konfigurointimerkinnän uudelleen.",
+ "config_entry_id": "Konfigurointimerkinnän tunnus",
+ "reload_config_entry": "Lataa konfigurointimerkintä uudelleen",
+ "reload_core_config_description": "Lataa ydinkonfiguraation uudelleen YAML-konfiguraatiosta.",
+ "reload_core_configuration": "Lataa ydinkonfiguraatio uudelleen",
+ "reload_custom_jinja_templates": "Lataa mukautetut Jinja2-mallit uudelleen",
+ "restarts_home_assistant": "Käynnistää Home Assistantin uudelleen.",
+ "safe_mode_description": "Poista mukautetut integraatiot ja mukautetut kortit käytöstä.",
+ "save_persistent_states": "Tallenna pysyviä tiloja",
+ "set_location_description": "Päivittää Home Assistantin sijainnin.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Sijaintisi leveysaste.",
+ "longitude_of_your_location": "Sijaintisi pituusaste.",
+ "set_location": "Aseta sijainti",
+ "stops_home_assistant": "Pysäyttää Home Assistantin.",
+ "generic_toggle": "Yleinen vaihtokytkin",
+ "generic_turn_off": "Yleinen sammutus",
+ "generic_turn_on": "Yleinen päälle kytkeminen",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Päivitä entiteetti",
+ "notify_description": "Lähettää ilmoitusviestin valituille kohteille.",
+ "data": "Data",
+ "title_of_the_notification": "Ilmoituksen otsikko.",
+ "send_a_persistent_notification": "Pysyvän ilmoituksen lähettäminen",
+ "sends_a_notification_message": "Lähettää ilmoitusviestin.",
+ "your_notification_message": "Ilmoitusviestisi.",
+ "title_description": "Ilmoituksen valinnainen otsikko.",
+ "send_a_notification_message": "Lähetä ilmoitusviesti",
+ "send_magic_packet": "Lähetä taikapaketti",
+ "topic_to_listen_to": "Kuunneltava aihe.",
+ "topic": "Aihe",
+ "export": "Vie",
+ "publish_description": "Julkaisee viestin MQTT-aiheeseen.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "Julkaistava hyötykuorma.",
+ "payload": "Hyötykuorma",
+ "payload_template": "Hyötykuorman malli",
+ "qos": "QoS",
+ "retain": "Säilytä",
+ "topic_to_publish_to": "Aihe, johon julkaistaan.",
+ "publish": "Julkaise",
+ "load_url_description": "Lataa URL-osoitteen Fully Kiosk Browserissa",
+ "url_to_load": "Ladattava URL-osoite",
+ "load_url": "Lataa URL-osoite",
+ "configuration_parameter_to_set": "Asetettava konfigurointiparametri.",
+ "key": "Avain",
+ "set_configuration": "Aseta konfiguraatio",
+ "application_description": "Käynnistettävän sovelluksen paketin nimi.",
+ "start_application": "Käynnistä sovellus",
+ "battery_description": "Laitteen akun varaustaso.",
+ "gps_coordinates": "GPS-koordinaatit",
+ "gps_accuracy_description": "GPS-koordinaattien tarkkuus.",
+ "hostname_of_the_device": "Laitteen isäntänimi.",
+ "hostname": "Isäntänimi",
+ "mac_description": "Laitteen MAC-osoite.",
+ "see": "Katso",
+ "device_description": "Laitteen ID, johon komento lähetetään.",
+ "delete_command": "Poista komento",
+ "alternative": "Vaihtoehtoinen",
+ "timeout_description": "Aikakatkaisu komennon oppimiselle.",
+ "learn_command": "Opi komento",
+ "delay_seconds": "Viive sekuntia",
+ "hold_seconds": "Pidä sekuntia",
+ "send_command": "Lähetä komento",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Aloittaa uuden siivoustehtävän.",
+ "get_weather_forecast": "Hanki sääennuste.",
+ "type_description": "Ennustetyyppi: päivittäin, tunneittain tai kahdesti päivässä.-",
+ "forecast_type": "Ennusteen tyyppi",
+ "get_forecast": "Hanki ennuste",
+ "get_weather_forecasts": "Hanki sääennusteet.",
+ "get_forecasts": "Hanki ennusteita",
+ "press_the_button_entity": "Paina painike-entiteettiä.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Ilmoituksen tunnus",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Paikantaa pölynimurirobotin.",
+ "pauses_the_cleaning_task": "Keskeyttää puhdistustehtävän.",
+ "send_command_description": "Lähettää komennon pölynimurille.",
+ "set_fan_speed": "Aseta tuulettimen nopeus",
+ "start_description": "Käynnistää tai jatkaa puhdistustehtävää.",
+ "start_pause_description": "Käynnistää, keskeyttää tai jatkaa puhdistustehtävää.",
+ "stop_description": "Pysäyttää nykyisen puhdistustehtävän.",
+ "toggle_description": "Kytkee mediasoittimen päälle/pois.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ-liikenopeus.",
+ "ptz_move": "PTZ-liike",
+ "disables_the_motion_detection": "Poistaa liiketunnistuksen käytöstä.",
+ "disable_motion_detection": "Poista liiketunnistus käytöstä",
+ "enables_the_motion_detection": "Ottaa liiketunnistuksen käyttöön.",
+ "enable_motion_detection": "Ota liiketunnistus käyttöön",
+ "format_description": "Mediasoittimen tukema suoratoistomuoto.",
+ "format": "Muoto",
+ "media_player_description": "Mediasoittimet suoratoistoon.",
+ "play_stream": "Toista striimi",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Tiedoston nimi",
+ "lookback": "Katso taaksepäin",
+ "snapshot_description": "Ottaa tilannekuvan kamerasta.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Ota tilannekuva",
+ "turns_off_the_camera": "Sammuttaa kameran.",
+ "turns_on_the_camera": "Kytkee kameran päälle.",
+ "reload_resources_description": "Lataa kojelaudan resurssit uudelleen YAML-konfiguraatiosta.",
"clear_tts_cache": "Tyhjennä TTS-välimuisti",
"cache": "Välimuisti",
"language_description": "Tekstin kieli. Oletusarvo on palvelinkieli.",
"options_description": "Sanakirja, joka sisältää integraatiokohtaisia vaihtoehtoja.",
"say_a_tts_message": "Sano TTS-viesti",
- "media_player_entity_id_description": "Mediasoittimet viestin toistamiseen.",
"media_player_entity": "Mediasoitinentiteetti",
"speak": "Puhe",
- "reload_resources_description": "Lataa kojelaudan resurssit uudelleen YAML-konfiguraatiosta.",
- "toggles_the_siren_on_off": "Kytkee sireenin päälle/pois.",
- "turns_the_siren_off": "Sammuttaa sireenin.",
- "turns_the_siren_on": "Käynnistää sireenin.",
- "toggles_the_helper_on_off": "Vaihtaa apurin päälle/pois päältä.",
- "turns_off_the_helper": "Sammuttaa apurin.",
- "turns_on_the_helper": "Käynnistää apurin.",
- "pauses_the_mowing_task": "Keskeyttää leikkuutehtävän.",
- "starts_the_mowing_task": "Aloittaa leikkuutehtävän.",
+ "send_text_command": "Lähetä tekstikomento",
+ "the_target_value": "Tavoitearvo.",
+ "removes_a_group": "Poistaa ryhmän.",
+ "object_id": "Objektin tunnus",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Lisää entiteettejä",
+ "icon_description": "Ryhmän kuvakkeen nimi.",
+ "name_of_the_group": "Ryhmän nimi.",
+ "remove_entities": "Poista entiteetit",
+ "locks_a_lock": "Lukitsee lukon.",
+ "code_description": "Koodi hälytyksen virittämiseksi.",
+ "opens_a_lock": "Avaa lukon.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Ilmoita",
+ "reloads_the_automation_configuration": "Lataa automaatiokonfiguraation uudelleen.",
+ "trigger_description": "Laukaisee automaation toiminnot.",
+ "skip_conditions": "Ohita ehdot",
+ "trigger": "Laukaisin",
+ "disables_an_automation": "Poistaa automaation käytöstä.",
+ "stops_currently_running_actions": "Pysäyttää parhaillaan käynnissä olevat toiminnot.",
+ "stop_actions": "Pysäytä toiminnot",
+ "enables_an_automation": "Ottaa automaation käyttöön.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Kirjoita lokimerkintä.",
+ "log_level": "Lokitaso.",
+ "message_to_log": "Viesti lokiin.",
+ "write": "Kirjoita",
+ "dashboard_path": "Kojelaudan polku",
+ "view_path": "Näytä polku",
+ "show_dashboard_view": "Näytä kojelautanäkymä",
+ "process_description": "Käynnistää keskustelun transkriptoidusta tekstistä.",
+ "agent": "Agentti",
+ "conversation_id": "Keskustelun tunnus",
+ "transcribed_text_input": "Transkriptoitu tekstinsyöttö.",
+ "process": "Prosessi",
+ "reloads_the_intent_configuration": "Lataa aikomusasetukset uudelleen.",
+ "conversation_agent_to_reload": "Keskusteluagentti lataa uudelleen.",
+ "closes_a_cover": "Sulkee suojuksen.",
+ "close_cover_tilt_description": "Kallistaa suojuksen kiinni.",
+ "close_tilt": "Sulje kallistus",
+ "opens_a_cover": "Avaa suojuksen.",
+ "tilts_a_cover_open": "Kallistaa suojuksen auki.",
+ "open_tilt": "Avaa kallistus",
+ "set_cover_position_description": "Siirtää suojuksen tiettyyn kohtaan.",
+ "target_position": "Kohdeasento.",
+ "set_position": "Aseta asento",
+ "target_tilt_positition": "Tavoitekallistusasento.",
+ "set_tilt_position": "Aseta kallistusasento",
+ "stops_the_cover_movement": "Pysäyttää suojuksen liikkeen.",
+ "stop_cover_tilt_description": "Pysäyttää suojuksen kallistusliikkeen.",
+ "stop_tilt": "Pysäytä kallistus",
+ "toggles_a_cover_open_closed": "Vaihtaa suojuksen auki/suljettu.",
+ "toggle_cover_tilt_description": "Vaihtaa suojuksen kallistuksen auki/suljettu.",
+ "toggle_tilt": "Kallistuksen vaihtaminen",
+ "turns_auxiliary_heater_on_off": "Kytkee lisälämmittimen päälle/pois päältä.",
+ "aux_heat_description": "Lisälämmittimen uusi arvo.",
+ "auxiliary_heating": "Lisälämmitys",
+ "turn_on_off_auxiliary_heater": "Lisälämmittimen kytkeminen päälle/pois päältä",
+ "sets_fan_operation_mode": "Asettaa tuulettimen toimintatilan.",
+ "fan_operation_mode": "Tuulettimen toimintatila.",
+ "set_fan_mode": "Aseta tuuletintila",
+ "sets_target_humidity": "Asettaa tavoitekosteuden.",
+ "set_target_humidity": "Aseta tavoitekosteus",
+ "sets_hvac_operation_mode": "Asettaa HVAC-toimintatilan.",
+ "hvac_operation_mode": "HVAC-toimintatila.",
+ "set_hvac_mode": "Aseta HVAC-tila",
+ "sets_preset_mode": "Asettaa esiasetetun tilan.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Asettaa heilutus toimintatilan.",
+ "swing_operation_mode": "Heilutus toimintatila.",
+ "set_swing_mode": "Aseta heilutustila",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Aseta tavoitelämpötila",
+ "turns_climate_device_off": "Kytkee ilmastolaitteen pois päältä.",
+ "turns_climate_device_on": "Kytkee ilmastolaitteen päälle.",
+ "apply_filter": "Käytä suodatinta",
+ "days_to_keep": "Säilytettävät päivät",
+ "repack": "Pakkaa uudelleen",
+ "purge": "Puhdistus",
+ "domains_to_remove": "Poistettavat verkkotunnukset",
+ "entity_globs_to_remove": "Poistettavat entiteettipallot",
+ "entities_to_remove": "Poistettavat entiteetit",
+ "purge_entities": "Tyhjennä entiteetit",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Tyhjennä soittolista",
+ "selects_the_next_track": "Valitsee seuraavan kappaleen.",
+ "pauses": "Keskeyttää.",
+ "starts_playing": "Aloittaa soittamisen.",
+ "toggles_play_pause": "Vaihtaa toiston/tauon.",
+ "selects_the_previous_track": "Valitsee edellisen kappaleen.",
+ "seek": "Etsi",
+ "stops_playing": "Lopettaa soittamisen.",
+ "starts_playing_specified_media": "Aloittaa tietyn median toiston.",
+ "enqueue": "Jono",
+ "repeat_mode_to_set": "Asetettava toistotila.",
+ "select_sound_mode_description": "Valitsee tietyn äänitilan.",
+ "select_sound_mode": "Valitse äänitila",
+ "select_source": "Valitse lähde",
+ "shuffle_description": "Onko satunnaistoisto käytössä vai ei.",
+ "unjoin": "Peruuta liittyminen",
+ "turns_down_the_volume": "Vähentää äänenvoimakkuutta.",
+ "turn_down_volume": "Vähennä äänenvoimakkuutta",
+ "volume_mute_description": "Mykistää mediasoittimen tai poistaa sen mykistyksen.",
+ "is_volume_muted_description": "Määrittää, onko se mykistetty vai ei.",
+ "mute_unmute_volume": "Mykistä/poista mykistys",
+ "sets_the_volume_level": "Asettaa äänenvoimakkuuden.",
+ "set_volume": "Aseta äänenvoimakkuus",
+ "turns_up_the_volume": "Lisää äänenvoimakkuutta.",
+ "turn_up_volume": "Lisää äänenvoimakkuutta",
"restarts_an_add_on": "Käynnistää lisäosan uudelleen.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3333,40 +3826,6 @@
"restore_partial_description": "Palauttaa osittaisesta varmuuskopiosta.",
"restores_home_assistant": "Palauttaa Home Assistantin.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Vähennä nopeutta",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Lisää nopeutta",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Aseta suunta",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Tuulettimen nopeus.",
- "percentage": "Prosenttiosuus",
- "set_speed": "Aseta nopeus",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Esiasetettu tila.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Sammuttaa tuulettimen.",
- "turns_fan_on": "Kytkee tuulettimen päälle.",
- "get_weather_forecast": "Hanki sääennuste.",
- "type_description": "Ennustetyyppi: päivittäin, tunneittain tai kahdesti päivässä.-",
- "forecast_type": "Ennusteen tyyppi",
- "get_forecast": "Hanki ennuste",
- "get_weather_forecasts": "Hanki sääennusteet.",
- "get_forecasts": "Hanki ennusteita",
- "clear_skipped_update": "Tyhjennä ohitettu päivitys",
- "install_update": "Asenna päivitys",
- "skip_description": "Merkitsee tällä hetkellä saatavilla olevan päivityksen ohitetuksi.",
- "skip_update": "Ohita päivitys",
- "code_description": "Koodi, jota käytetään lukon avaamiseen.",
- "arm_with_custom_bypass": "Viritä mukautetulla ohituksella",
- "alarm_arm_vacation_description": "Asettaa hälytyksen: _armed for vacation_.",
- "disarms_the_alarm": "Poistaa hälytyksen käytöstä.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Laukaisusehto",
"selects_the_first_option": "Valitsee ensimmäisen vaihtoehdon.",
"first": "Ensimmäinen",
"selects_the_last_option": "Valitsee viimeisen vaihtoehdon.",
@@ -3374,77 +3833,16 @@
"selects_an_option": "Valitsee vaihtoehdon.",
"option_to_be_selected": "Valittava vaihtoehto.",
"selects_the_previous_option": "Valitsee edellisen vaihtoehdon.",
- "disables_the_motion_detection": "Poistaa liiketunnistuksen käytöstä.",
- "disable_motion_detection": "Poista liiketunnistus käytöstä",
- "enables_the_motion_detection": "Ottaa liiketunnistuksen käyttöön.",
- "enable_motion_detection": "Ota liiketunnistus käyttöön",
- "format_description": "Mediasoittimen tukema suoratoistomuoto.",
- "format": "Muoto",
- "media_player_description": "Mediasoittimet suoratoistoon.",
- "play_stream": "Toista striimi",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Tiedoston nimi",
- "lookback": "Katso taaksepäin",
- "snapshot_description": "Ottaa tilannekuvan kamerasta.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Ota tilannekuva",
- "turns_off_the_camera": "Sammuttaa kameran.",
- "turns_on_the_camera": "Kytkee kameran päälle.",
- "press_the_button_entity": "Paina painike-entiteettiä.",
+ "create_event_description": "Adds a new calendar event.",
+ "location_description": "Tapahtuman paikka. Valinnainen.",
"start_date_description": "Päivämäärä, jonka koko päivän kestävän tapahtuman pitäisi alkaa.",
+ "create_event": "Create event",
"get_events": "Hae tapahtumia",
- "select_the_next_option": "Valitse seuraava vaihtoehto.",
- "sets_the_options": "Asettaa vaihtoehdot.",
- "list_of_options": "Luettelo vaihtoehdoista.",
- "set_options": "Aseta vaihtoehdot",
- "closes_a_cover": "Sulkee suojuksen.",
- "close_cover_tilt_description": "Kallistaa suojuksen kiinni.",
- "close_tilt": "Sulje kallistus",
- "opens_a_cover": "Avaa suojuksen.",
- "tilts_a_cover_open": "Kallistaa suojuksen auki.",
- "open_tilt": "Avaa kallistus",
- "set_cover_position_description": "Siirtää suojuksen tiettyyn kohtaan.",
- "target_tilt_positition": "Tavoitekallistusasento.",
- "set_tilt_position": "Aseta kallistusasento",
- "stops_the_cover_movement": "Pysäyttää suojuksen liikkeen.",
- "stop_cover_tilt_description": "Pysäyttää suojuksen kallistusliikkeen.",
- "stop_tilt": "Pysäytä kallistus",
- "toggles_a_cover_open_closed": "Vaihtaa suojuksen auki/suljettu.",
- "toggle_cover_tilt_description": "Vaihtaa suojuksen kallistuksen auki/suljettu.",
- "toggle_tilt": "Kallistuksen vaihtaminen",
- "request_sync_description": "Lähettää request_sync-komennon Googlelle.",
- "agent_user_id": "Agentin käyttäjätunnus",
- "request_sync": "Pyydä synkronointia",
- "log_description": "Luo mukautetun merkinnän lokikirjaan.",
- "message_description": "Ilmoituksen tekstiosa.",
- "log": "Loki",
- "enter_your_text": "Kirjoita tekstisi.",
- "set_value": "Aseta arvo",
- "topic_to_listen_to": "Kuunneltava aihe.",
- "topic": "Aihe",
- "export": "Vie",
- "publish_description": "Julkaisee viestin MQTT-aiheeseen.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "Julkaistava hyötykuorma.",
- "payload": "Hyötykuorma",
- "payload_template": "Hyötykuorman malli",
- "qos": "QoS",
- "retain": "Säilytä",
- "topic_to_publish_to": "Aihe, johon julkaistaan.",
- "publish": "Julkaise",
- "reloads_the_automation_configuration": "Lataa automaatiokonfiguraation uudelleen.",
- "trigger_description": "Laukaisee automaation toiminnot.",
- "skip_conditions": "Ohita ehdot",
- "disables_an_automation": "Poistaa automaation käytöstä.",
- "stops_currently_running_actions": "Pysäyttää parhaillaan käynnissä olevat toiminnot.",
- "stop_actions": "Pysäytä toiminnot",
- "enables_an_automation": "Ottaa automaation käyttöön.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Asettaa integraatioiden oletuslokitason.",
- "level_description": "Oletusvakavuustaso kaikille integroinneille.",
- "set_default_level": "Aseta oletustaso",
- "set_level": "Aseta taso",
+ "closes_a_valve": "Sulkee venttiilin.",
+ "opens_a_valve": "Avaa venttiilin.",
+ "set_valve_position_description": "Siirtää venttiilin tiettyyn asentoon.",
+ "stops_the_valve_movement": "Pysäyttää venttiilin liikkeen.",
+ "toggles_a_valve_open_closed": "Vaihtaa venttiilin auki/kiinni.",
"bridge_identifier": "Sillan tunniste",
"configuration_payload": "Konfiguraation hyötykuorma",
"entity_description": "Edustaa tiettyä deCONZ-laitteen päätepistettä.",
@@ -3453,80 +3851,33 @@
"device_refresh_description": "Päivittää käytettävissä olevat laitteet deCONZista.",
"device_refresh": "Laitteen päivitys",
"remove_orphaned_entries": "Poista orvot merkinnät",
- "locate_description": "Paikantaa pölynimurirobotin.",
- "pauses_the_cleaning_task": "Keskeyttää puhdistustehtävän.",
- "send_command_description": "Lähettää komennon pölynimurille.",
- "command_description": "Google Assistantille lähetettävät komennot.",
- "parameters": "Parametrit",
- "set_fan_speed": "Aseta tuulettimen nopeus",
- "start_description": "Käynnistää tai jatkaa puhdistustehtävää.",
- "start_pause_description": "Käynnistää, keskeyttää tai jatkaa puhdistustehtävää.",
- "stop_description": "Pysäyttää nykyisen puhdistustehtävän.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Kytkee kytkimen päälle/pois.",
- "turns_a_switch_off": "Kytkee kytkimen pois päältä.",
- "turns_a_switch_on": "Kytkee kytkimen päälle.",
+ "add_event_description": "Lisää uuden kalenteritapahtuman.",
+ "calendar_id_description": "Haluamasi kalenterin tunnus.",
+ "calendar_id": "Kalenterin tunnus",
+ "description_description": "Tapahtuman kuvaus. Valinnainen.",
+ "summary_description": "Toimii tapahtuman otsikkona.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Muotoilukysely",
"url_description": "URL-osoite, josta media löytyy.",
"media_url": "Median URL-osoite",
"get_media_url": "Hae median URL-osoite",
"play_media_description": "Lataa tiedoston annetusta URL-osoitteesta.",
- "notify_description": "Lähettää ilmoitusviestin valituille kohteille.",
- "data": "Data",
- "title_of_the_notification": "Ilmoituksen otsikko.",
- "send_a_persistent_notification": "Pysyvän ilmoituksen lähettäminen",
- "sends_a_notification_message": "Lähettää ilmoitusviestin.",
- "your_notification_message": "Ilmoitusviestisi.",
- "title_description": "Ilmoituksen valinnainen otsikko.",
- "send_a_notification_message": "Lähetä ilmoitusviesti",
- "process_description": "Käynnistää keskustelun transkriptoidusta tekstistä.",
- "agent": "Agentti",
- "conversation_id": "Keskustelun tunnus",
- "transcribed_text_input": "Transkriptoitu tekstinsyöttö.",
- "process": "Prosessi",
- "reloads_the_intent_configuration": "Lataa aikomusasetukset uudelleen.",
- "conversation_agent_to_reload": "Keskusteluagentti lataa uudelleen.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ-liikenopeus.",
- "ptz_move": "PTZ-liike",
- "send_magic_packet": "Lähetä taikapaketti",
- "send_text_command": "Lähetä tekstikomento",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Kirjoita lokimerkintä.",
- "log_level": "Lokitaso.",
- "message_to_log": "Viesti lokiin.",
- "write": "Kirjoita",
- "locks_a_lock": "Lukitsee lukon.",
- "opens_a_lock": "Avaa lukon.",
- "removes_a_group": "Poistaa ryhmän.",
- "object_id": "Objektin tunnus",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Lisää entiteettejä",
- "icon_description": "Ryhmän kuvakkeen nimi.",
- "name_of_the_group": "Ryhmän nimi.",
- "remove_entities": "Poista entiteetit",
- "stops_a_running_script": "Pysäyttää käynnissä olevan skriptin.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Ilmoituksen tunnus",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Lataa URL-osoitteen Fully Kiosk Browserissa",
- "url_to_load": "Ladattava URL-osoite",
- "load_url": "Lataa URL-osoite",
- "configuration_parameter_to_set": "Asetettava konfigurointiparametri.",
- "key": "Avain",
- "set_configuration": "Aseta konfiguraatio",
- "application_description": "Käynnistettävän sovelluksen paketin nimi.",
- "start_application": "Käynnistä sovellus"
+ "select_the_next_option": "Valitse seuraava vaihtoehto.",
+ "sets_the_options": "Asettaa vaihtoehdot.",
+ "list_of_options": "Luettelo vaihtoehdoista.",
+ "set_options": "Aseta vaihtoehdot",
+ "arm_with_custom_bypass": "Viritä mukautetulla ohituksella",
+ "alarm_arm_vacation_description": "Asettaa hälytyksen: _armed for vacation_.",
+ "disarms_the_alarm": "Poistaa hälytyksen käytöstä.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Kytkee kytkimen päälle/pois.",
+ "turns_a_switch_off": "Kytkee kytkimen pois päältä.",
+ "turns_a_switch_on": "Kytkee kytkimen päälle."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/fr/fr.json b/packages/core/src/hooks/useLocale/locales/fr/fr.json
index 17773cd6..dcd4eee4 100644
--- a/packages/core/src/hooks/useLocale/locales/fr/fr.json
+++ b/packages/core/src/hooks/useLocale/locales/fr/fr.json
@@ -33,8 +33,8 @@
"config_entry": "Paramètre de configuration",
"device": "Appareil",
"upload_backup": "Importer une sauvegarde",
- "run": "Exécuter",
- "stop": "Arrêter",
+ "turn_on": "Allumer",
+ "turn_off": "Éteindre",
"toggle": "Basculer",
"code": "Code",
"clear": "Vider",
@@ -51,6 +51,7 @@
"disarmed": "Désactivée",
"area_not_found": "Pièce non trouvée.",
"last_triggered": "Dernier déclenchement",
+ "run": "Exécuter",
"press": "Appuyer",
"image_not_available": "Image non disponible",
"currently": "Actuellement",
@@ -113,6 +114,7 @@
"browse_media": "Parcourir les médias",
"play": "Lecture",
"play_pause": "Lecture/Pause",
+ "stop": "Arrêter",
"next": "Suivant",
"previous": "Précédent",
"volume_up": "Volume haut",
@@ -434,7 +436,7 @@
"no_color": "Pas de couleur",
"primary": "Principale",
"accent": "Accentuation",
- "off": "Désactivé",
+ "disabled": "Désactivé",
"red": "Rouge",
"pink": "Rose",
"purple": "Violet",
@@ -459,8 +461,8 @@
"black": "Noir",
"white": "Blanc",
"ui_components_color_picker_default_color": "Couleur par défaut (état)",
- "start_date": "Date de début",
- "end_date": "Date de fin",
+ "start_date": "Start date",
+ "end_date": "End date",
"select_time_period": "Sélectionnez la période",
"today": "Aujourd'hui",
"yesterday": "Hier",
@@ -618,13 +620,13 @@
"weekday": "jour de la semaine",
"until": "jusqu'à",
"for": "pour",
- "in": "Dans",
+ "in": "In",
"on_the": "le",
"or": "Ou",
"at": "à",
"last": "Dernière",
"times": "fois",
- "summary": "Résumé",
+ "summary": "Summary",
"attributes": "Attributs",
"select_camera": "Sélectionner la caméra",
"qr_scanner_not_supported": "Votre navigateur ne prend pas en charge le scan de QR code",
@@ -636,8 +638,9 @@
"line_line_column_column": "ligne : {line}, colonne : {column}",
"last_changed": "Dernière modification",
"last_updated": "Dernière mise à jour",
- "remaining_time": "Temps restant",
+ "time_left": "Temps restant",
"install_status": "Statut d'installation",
+ "ui_components_multi_textfield_add_item": "Ajouter {item}",
"safe_mode": "Mode sans échec",
"all_yaml_configuration": "Toute la configuration YAML",
"domain": "Domaine",
@@ -743,6 +746,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Créer une sauvegarde avant de mettre à jour",
"update_instructions": "Instructions de mise à jour",
"current_activity": "Activité en cours",
+ "status": "Statut 2",
"vacuum_cleaner_commands": "Commandes d'aspirateur :",
"fan_speed": "Puissance d'aspiration",
"clean_spot": "Nettoyer l'endroit",
@@ -777,7 +781,7 @@
"default_code": "Code par défaut",
"editor_default_code_error": "Le code ne correspond pas au format du code",
"entity_id": "ID d'entité",
- "unit_of_measurement": "Unité de mesure",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "Unité de précipitation",
"display_precision": "Précision d'affichage",
"default_value": "Par défaut ({value})",
@@ -798,7 +802,7 @@
"cold": "Froid",
"connectivity": "Connectivité",
"gas": "Gaz",
- "heat": "Chaleur",
+ "heat": "Chauffage",
"light": "Lumière",
"motion": "Mouvement",
"moving": "En mouvement",
@@ -857,7 +861,7 @@
"restart_home_assistant": "Redémarrer Home Assistant ?",
"advanced_options": "Options avancées",
"quick_reload": "Rechargement rapide",
- "reload_description": "Recharge tous les scripts disponibles.",
+ "reload_description": "Recharge les minuteurs à partir de la configuration YAML.",
"reloading_configuration": "Rechargement de la configuration",
"failed_to_reload_configuration": "Échec du rechargement de la configuration",
"restart_description": "Interrompt toutes les automatisations et tous les scripts en cours d'exécution.",
@@ -884,8 +888,8 @@
"password": "Mot de passe",
"regex_pattern": "Modèle Regex",
"used_for_client_side_validation": "Utilisé pour la validation côté client",
- "minimum_value": "Valeur minimale",
- "maximum_value": "Valeur maximale",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Champ de saisie",
"slider": "Curseur",
"step_size": "Taille du pas",
@@ -1175,8 +1179,8 @@
"background_opacity": "Opacité de l'arrière-plan",
"background_repeat": "Répétition de l'arrière-plan",
"repeat_tile": "Répéter (tuile)",
- "scroll": "Faire défiler",
- "fixed": "Fixé",
+ "scroll": "Défilante",
+ "fixed": "Fixée",
"ui_panel_lovelace_editor_edit_view_background_title": "Ajouter un arrière-plan à la vue",
"ui_panel_lovelace_editor_edit_view_background_transparency": "Transparence de l'arrière-plan",
"edit_view": "Modifier la vue",
@@ -1205,7 +1209,7 @@
"ui_panel_lovelace_editor_edit_view_type_warning_sections": "Vous ne pouvez pas modifier votre vue pour utiliser le type de vue « sections », car la migration n'est pas encore prise en charge. Partez de zéro avec une nouvelle vue si vous souhaitez expérimenter la vue « sections ».",
"card_configuration": "Configuration de la carte",
"type_card_configuration": "Configuration de la carte {type}",
- "edit_card_pick_card": "Quelle carte aimeriez-vous ajouter ?",
+ "add_to_dashboard": "Ajouter au tableau de bord",
"toggle_editor": "Permuter l’éditeur",
"you_have_unsaved_changes": "Vous avez des changements non enregistrés",
"edit_card_confirm_cancel": "Voulez-vous vraiment annuler ?",
@@ -1233,7 +1237,6 @@
"edit_badge_pick_badge": "Quel badge souhaitez-vous ajouter ?",
"add_badge": "Ajouter un badge",
"suggest_card_header": "Nous avons créé une suggestion pour vous",
- "add_to_dashboard": "Ajouter au tableau de bord",
"move_card_strategy_error_title": "Impossible de déplacer la carte",
"card_moved_successfully": "Carte déplacée avec succès",
"error_while_moving_card": "Erreur lors du déplacement de la carte",
@@ -1407,6 +1410,11 @@
"show_more_detail": "Afficher plus de détails",
"to_do_list": "Liste de tâches",
"hide_completed_items": "Masquer les éléments terminés",
+ "ui_panel_lovelace_editor_card_todo_list_display_order": "Ordre d'affichage",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc": "Alphabétique (A-Z)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_desc": "Alphabétique (Z-A)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc": "Date d'échéance (la plus proche)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc": "Date d'échéance (la plus tard)",
"climate": "Thermostat",
"thermostat_show_current_as_primary": "Afficher la température actuelle comme information principale",
"tile": "Tuile",
@@ -1514,141 +1522,120 @@
"now": "Maintenant",
"compare_data": "Comparer les données",
"reload_ui": "Actualiser l'interface utilisateur",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Entrée logique",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
+ "home_assistant_api": "Home Assistant API",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
"tag": "Tag",
- "input_datetime": "Entrée calendrier",
- "solis_inverter": "Solis Inverter",
+ "media_source": "Media Source",
+ "mobile_app": "Application mobile",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostiques",
+ "filesize": "Taille de fichier",
+ "group": "Groupe",
+ "binary_sensor": "Capteur binaire",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "device_automation": "Device Automation",
+ "person": "Personne",
+ "input_button": "Bouton d'entrée",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Enregistreur",
+ "script": "Script",
+ "fan": "Ventile",
"scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Minuteur",
- "local_calendar": "Calendrier local",
- "intent": "Intent",
- "device_tracker": "Dispositif de suivi",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
- "home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
- "fan": "Ventilateur",
- "weather": "Météo",
- "camera": "Caméra",
"schedule": "Planification",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automatisation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Météo",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Saisie de texte",
- "valve": "Vanne",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "binary_sensor": "Capteur binaire",
- "broadlink": "Broadlink",
+ "assist_satellite": "Satellite Assist",
+ "automation": "Automatisation",
+ "system_log": "System Log",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Vanne",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Calendrier local",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Sirène",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Tondeuse à gazon",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Événement",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Dispositif de suivi",
+ "remote": "Télécommande",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Commutateur",
+ "persistent_notification": "Notification persistante",
+ "vacuum": "Aspirateur",
+ "reolink": "Reolink",
+ "camera": "Caméra",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Notification persistante",
- "trace": "Trace",
- "remote": "Télécommande",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Compteur",
- "filesize": "Taille de fichier",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Vérificateur d'alimentation Raspberry Pi",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Entrée logique",
- "lawn_mower": "Tondeuse à gazon",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Événement",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Centrale d’alarme",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Application mobile",
+ "timer": "Minuteur",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Commutateur",
+ "input_datetime": "Entrée calendrier",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Compteur",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Informations d'identification de l'application",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Groupe",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostiques",
- "person": "Personne",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Saisie de texte",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Informations d'identification de l'application",
- "siren": "Sirène",
- "bluetooth": "Bluetooth",
- "logger": "Enregistreur",
- "input_button": "Bouton d'entrée",
- "vacuum": "Aspirateur",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Vérificateur d'alimentation Raspberry Pi",
- "assist_satellite": "Satellite Assist",
- "script": "Script",
- "ring": "Ring",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Niveau de la batterie",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Batterie faible",
"cloud_connection": "Connexion au cloud",
"humidity_warning": "Avertissement d'humidité",
- "closed": "Fermé",
+ "closed": "Fermée",
"overheated": "Surchauffe",
"temperature_warning": "Avertissement de température",
"update_available": "Mise à jour disponible",
@@ -1673,6 +1660,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Arrêt automatique à",
"available_firmware_version": "Version du micrologiciel disponible",
+ "battery_level": "Niveau de la batterie",
"this_month_s_consumption": "La consommation de ce mois-ci",
"today_s_consumption": "Consommation d'aujourd'hui",
"total_consumption": "Consommation totale",
@@ -1690,7 +1678,7 @@
"auto_off_enabled": "Arrêt automatique activé",
"auto_update_enabled": "Mise à jour automatique activée",
"baby_cry_detection": "Baby cry detection",
- "child_lock": "Child lock",
+ "child_lock": "Sécurité enfants",
"fan_sleep_mode": "Mode veille du ventilateur",
"led": "LED",
"motion_detection": "Détection de mouvement",
@@ -1698,30 +1686,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Transitions douces",
"tamper_detection": "Tamper detection",
- "next_dawn": "Prochaine aube",
- "next_dusk": "Prochain crépuscule",
- "next_midnight": "Prochain minuit",
- "next_noon": "Prochain midi",
- "next_rising": "Prochain lever",
- "next_setting": "Prochain coucher",
- "solar_azimuth": "Azimut solaire",
- "solar_elevation": "Élévation solaire",
- "solar_rising": "Lever du soleil",
- "day_of_week": "Day of week",
- "illuminance": "Éclairement",
- "noise": "Bruit",
- "overload": "Surcharge",
- "working_location": "Lieu de travail",
- "created": "Date de création",
- "size": "Taille",
- "size_in_bytes": "Taille en octets",
- "compressor_energy_consumption": "Consommation d'énergie du compresseur",
- "compressor_estimated_power_consumption": "Consommation estimée compresseur",
- "compressor_frequency": "Fréquence du compresseur",
- "cool_energy_consumption": "Cool energy consumption",
- "heat_energy_consumption": "Consommation d'énergie de chauffage",
- "inside_temperature": "Température intérieure",
- "outside_temperature": "Température extérieure",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Signal Wi-Fi",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Processus {process}",
"disk_free_mount_point": "Espace libre {mount_point}",
"disk_use_mount_point": "Espace utilisé {mount_point}",
@@ -1743,33 +1717,75 @@
"swap_usage": "Utilisation de l'espace d'échange",
"network_throughput_in_interface": "Débit du réseau entrant via {interface}",
"network_throughput_out_interface": "Débit du réseau sortant via {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist en cours",
- "preferred": "Préféré",
- "finished_speaking_detection": "Détection de fin de la parole",
- "aggressive": "Agressif",
- "relaxed": "Détendu",
- "os_agent_version": "Version de l'agent du système d'exploitation",
- "apparmor_version": "Version d’Apparmor",
- "cpu_percent": "Pourcentage du processeur",
- "disk_free": "Taille du disque libre",
- "disk_total": "Taille total du disque",
- "disk_used": "Taille du disque utilisé",
- "memory_percent": "Pourcentage de mémoire",
- "version": "Version",
- "newest_version": "Version la plus récente",
+ "day_of_week": "Day of week",
+ "illuminance": "Éclairement",
+ "noise": "Bruit",
+ "overload": "Surcharge",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchroniser les appareils",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Silencieux",
- "wake_word": "Mot d'activation",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Gain automatique",
- "mic_volume": "Mic volume",
- "noise_suppression_level": "Niveau de suppression du bruit",
- "mute": "Muet",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
+ "mic_volume": "Volume du micro",
+ "voice_volume": "Voice volume",
+ "last_activity": "Dernière activité",
+ "last_ding": "Last ding",
+ "last_motion": "Denier mouvement",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Consommation d'énergie du compresseur",
+ "compressor_estimated_power_consumption": "Consommation estimée compresseur",
+ "compressor_frequency": "Fréquence du compresseur",
+ "cool_energy_consumption": "Cool energy consumption",
+ "heat_energy_consumption": "Consommation d'énergie de chauffage",
+ "inside_temperature": "Température intérieure",
+ "outside_temperature": "Température extérieure",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Branché",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Redémarrer l'appareil",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Capture d'écran",
+ "overlay_message": "Message superposé",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Détectée",
"animal_lens": "Lentille animale 1",
@@ -1839,10 +1855,11 @@
"image_saturation": "Saturation de l'image",
"image_sharpness": "Netteté de l'image",
"message_volume": "Message volume",
- "motion_sensitivity": "Sensibilité mouvement",
+ "motion_sensitivity": "Sensibilité au mouvement",
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Message de réponse rapide automatique",
+ "off": "Éteint",
"auto_track_method": "Méthode de suivi automatique",
"digital": "Numérique",
"digital_first": "Numérique d'abord",
@@ -1892,7 +1909,6 @@
"ptz_pan_position": "Position panoramique PTZ",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Focus automatique",
"auto_tracking": "Suivi automatique",
"doorbell_button_sound": "Son du bouton de la sonnette",
@@ -1908,6 +1924,49 @@
"push_notifications": "Notifications push",
"record_audio": "Enregistrer l'audio",
"siren_on_event": "Sirène lors de l'événement",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Date de création",
+ "size": "Taille",
+ "size_in_bytes": "Taille en octets",
+ "assist_in_progress": "Assist en cours",
+ "quiet": "Silencieux",
+ "preferred": "Préféré",
+ "finished_speaking_detection": "Détection de fin de la parole",
+ "aggressive": "Agressif",
+ "relaxed": "Détendu",
+ "wake_word": "Mot d'activation",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "Version de l'agent du système d'exploitation",
+ "apparmor_version": "Version d’Apparmor",
+ "cpu_percent": "Pourcentage du processeur",
+ "disk_free": "Taille du disque libre",
+ "disk_total": "Taille total du disque",
+ "disk_used": "Taille du disque utilisé",
+ "memory_percent": "Pourcentage de mémoire",
+ "version": "Version",
+ "newest_version": "Version la plus récente",
+ "auto_gain": "Gain automatique",
+ "noise_suppression_level": "Niveau de suppression du bruit",
+ "mute": "Muet",
+ "bytes_received": "Octets reçus",
+ "server_country": "Pays du serveur",
+ "server_id": "ID du serveur",
+ "server_name": "Nom du serveur",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Octets envoyés",
+ "working_location": "Lieu de travail",
+ "next_dawn": "Prochaine aube",
+ "next_dusk": "Prochain crépuscule",
+ "next_midnight": "Prochain minuit",
+ "next_noon": "Prochain midi",
+ "next_rising": "Prochain lever",
+ "next_setting": "Prochain coucher",
+ "solar_azimuth": "Azimut solaire",
+ "solar_elevation": "Élévation solaire",
+ "solar_rising": "Lever du soleil",
"heavy": "Lourd",
"mild": "Bénin",
"button_down": "Bouton bas",
@@ -1925,72 +1984,249 @@
"checking": "Vérification",
"closing": "Fermeture",
"opened": "Ouvert",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Dernière activité",
- "last_ding": "Last ding",
- "last_motion": "Denier mouvement",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Octets reçus",
- "server_country": "Pays du serveur",
- "server_id": "ID du serveur",
- "server_name": "Nom du serveur",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Octets envoyés",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Branché",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Capture d'écran",
- "overlay_message": "Message superposé",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Dernière analyse par ID d'appareil",
- "tag_id": "ID du tag",
- "managed_via_ui": "Géré via l'interface utilisateur",
- "min_length": "Longueur minimale",
- "model": "Modèle",
- "minute": "Minute",
- "second": "Seconde",
- "timestamp": "Horodatage",
- "stopped": "Arrêté",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accéléromètre",
+ "binary_input": "Entrée binaire",
+ "calibrated": "Calibré",
+ "consumer_connected": "Consommateur connecté",
+ "external_sensor": "Capteur externe",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Ouvert à la main",
+ "heat_required": "Température requise",
+ "ias_zone": "Zone IAS",
+ "linkage_alarm_state": "État d'alarme de liaison",
+ "mounting_mode_active": "Mode de montage actif",
+ "open_window_detection_status": "État de détection de fenêtre ouverte",
+ "pre_heat_status": "Statut du préchauffage",
+ "replace_filter": "Remplacer le filtre",
+ "valve_alarm": "Alarme de vanne",
+ "open_window_detection": "Détection de fenêtre ouverte",
+ "feed": "Nourrir",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Réinitialisation de l'état de présence",
+ "reset_summation_delivered": "Réinitialisation de la somme délivrée",
+ "self_test": "Auto-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Groupe de ventilateurs",
+ "light_group": "Groupe de lumières",
+ "door_lock": "Serrure de porte",
+ "ambient_sensor_correction": "Correction du capteur ambiant",
+ "approach_distance": "Distance d'approche",
+ "automatic_switch_shutoff_timer": "Minuterie d'arrêt automatique de l'interrupteur",
+ "away_preset_temperature": "Température prédéfinie en absence",
+ "boost_amount": "Boost amount",
+ "button_delay": "Retard des boutons",
+ "local_default_dimming_level": "Niveau de gradation local par défaut",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Taux de déplacement par défaut",
+ "detection_delay": "Délai de détection",
+ "maximum_range": "Portée maximale",
+ "minimum_range": "Portée minimale",
+ "detection_interval": "Intervalle de détection",
+ "local_dimming_down_speed": "Vitesse d'abaissement de la luminosité locale",
+ "remote_dimming_down_speed": "Vitesse d'abaissement de la luminosité à distance",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Délai d'inactivité de l'écran",
+ "display_brightness": "Luminosité de l'écran",
+ "display_inactive_brightness": "Luminosité en veille",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Heure du début d'exercice",
+ "external_sensor_correction": "Correction du capteur externe",
+ "external_temperature_sensor": "Capteur de température extérieur",
+ "fading_time": "Temps de transition",
+ "fallback_timeout": "Délai de repli",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Demande de charge fixe",
+ "frost_protection_temperature": "Température de protection contre le gel",
+ "irrigation_cycles": "Cycles d'irrigation",
+ "irrigation_interval": "Intervalle d'irrigation",
+ "irrigation_target": "Cible d'irrigation",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Décalage de température locale",
+ "max_heat_setpoint_limit": "Limite maximale de consigne de chaleur",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Limite minimale de consigne de chaleur",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Intensité de la LED éteint",
+ "off_transition_time": "Temps de transition à l'arrêt",
+ "on_led_intensity": "Intensité de la LED allumé",
+ "on_level": "On level",
+ "on_off_transition_time": "Temps de transition on/off",
+ "on_transition_time": "Temps de transition à l'allumage",
+ "open_window_detection_guard_period_name": "Période de garde pour la détection de fenêtre ouverte",
+ "open_window_detection_threshold": "Seuil de détection de fenêtre ouverte",
+ "open_window_event_duration": "Durée de l'événement de fenêtre ouverte",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Délai de détection de la présence",
+ "presence_sensitivity": "Sensibilité de détection de présence",
+ "fade_time": "Temps de fondu",
+ "quick_start_time": "Heure de démarrage rapide",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Taux de rampe local activé ou désactivé",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Point de consigne du régulateur",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Durée de la sirène",
+ "start_up_color_temperature": "Température de la lumière au démarrage",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Niveau de gradation par défaut au démarrage",
+ "timer_duration": "Durée de la temporisation",
+ "timer_time_left": "Temps restant de la minuterie",
+ "transmit_power": "Puissance de transmission",
+ "valve_closing_degree": "Degré de fermeture de la vanne",
+ "irrigation_time": "Temps d'irrigation 2",
+ "valve_opening_degree": "Degré d'ouverture de la vanne",
+ "adaptation_run_command": "Commande de l'adaptation",
+ "backlight_mode": "Mode de rétroéclairage",
+ "click_mode": "Mode clic",
+ "control_type": "Type de contrôle",
+ "decoupled_mode": "Mode découplé",
+ "default_siren_level": "Niveau de sirène par défaut",
+ "default_siren_tone": "Tonalité de sirène par défaut",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Niveau stroboscopique par défaut",
+ "detection_distance": "Distance de détection",
+ "detection_sensitivity": "Sensibilité de détection",
+ "exercise_day_of_week_name": "Jour de la semaine d'exercice",
+ "external_temperature_sensor_type": "Type de capteur de température externe",
+ "external_trigger_mode": "Mode de déclenchement externe",
+ "heat_transfer_medium": "Fluide de transfert de chaleur",
+ "heating_emitter_type": "Type d'émetteur de chauffage",
+ "heating_fuel": "Combustible de chauffage",
+ "non_neutral_output": "Sortie non neutre",
+ "irrigation_mode": "Mode d'irrigation",
+ "keypad_lockout": "Verrouillage du clavier",
+ "dimming_mode": "Mode de gradation",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Source de température locale",
+ "monitoring_mode": "Mode de surveillance",
+ "off_led_color": "Couleur de la LED éteint",
+ "on_led_color": "Couleur de la LED allumé",
+ "operation_mode": "Mode de fonctionnement",
+ "output_mode": "Mode de sortie",
+ "power_on_state": "État de mise sous tension",
+ "regulator_period": "Période de régulation",
+ "sensor_mode": "Mode capteur",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Niveaux d'affichage LED du ventilateur intelligent",
+ "start_up_behavior": "Comportement au démarrage",
+ "switch_mode": "Switch mode",
+ "switch_type": "Type de commutateur",
+ "thermostat_application": "Application du thermostat",
+ "thermostat_mode": "Mode thermostat",
+ "valve_orientation": "Orientation de la valve",
+ "viewing_direction": "Direction du visionnage",
+ "weather_delay": "Retard météo",
+ "curtain_mode": "Mode rideau",
+ "ac_frequency": "Fréquence CA",
+ "adaptation_run_status": "État d'exécution de l'adaptation",
+ "in_progress": "En cours",
+ "run_successful": "Exécution réussie",
+ "valve_characteristic_lost": "Caractéristique de la valve perdue",
+ "analog_input": "Entrée analogique",
+ "control_status": "État du contrôle",
+ "device_run_time": "Durée de fonctionnement de l'appareil",
+ "device_temperature": "Température de l'appareil",
+ "target_distance": "Distance de la cible",
+ "filter_run_time": "Durée de fonctionnement du filtre",
+ "formaldehyde_concentration": "Concentration de formaldéhyde",
+ "hooks_state": "Hooks state",
+ "hvac_action": "Action CVC",
+ "instantaneous_demand": "Demande instantanée",
+ "internal_temperature": "Stockage interne",
+ "irrigation_duration": "Durée d'irrigation 1",
+ "last_irrigation_duration": "Durée de la dernière irrigation",
+ "irrigation_end_time": "Heure de fin d'irrigation",
+ "irrigation_start_time": "Heure de début de l'irrigation",
+ "last_feeding_size": "Taille du dernier repas",
+ "last_feeding_source": "Dernière source d'alimentation",
+ "last_illumination_state": "Dernier état d'illumination",
+ "last_valve_open_duration": "Dernière durée d'ouverture de la vanne",
+ "leaf_wetness": "Humidité des feuilles",
+ "load_estimate": "Estimation de charge",
+ "floor_temperature": "Température du sol",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Nombre de pas du moteur",
+ "open_window_detected": "Fenêtre ouverte détectée",
+ "overheat_protection": "Protection contre la surchauffe",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions distribuées aujourd'hui",
+ "pre_heat_time": "Temps de préchauffage",
+ "rssi": "RSSI",
+ "self_test_result": "Résultat auto test",
+ "setpoint_change_source": "Source de changement de consigne",
+ "smoke_density": "Densité de la fumée",
+ "software_error": "Erreur logicielle",
+ "good": "Bon",
+ "critical_low_battery": "Batterie à un niveau critiquement faible",
+ "encoder_jammed": "Encodeur bloqué",
+ "invalid_clock_information": "Information d'horloge invalide",
+ "invalid_internal_communication": "Communication interne invalide",
+ "motor_error": "Erreur du moteur",
+ "non_volatile_memory_error": "Erreur de mémoire non-volatile",
+ "radio_communication_error": "Erreur de communication radio",
+ "side_pcb_sensor_error": "Erreur du capteur dans le circuit imprimé du côté",
+ "top_pcb_sensor_error": "Erreur du capteur dans le circuit imprimé supérieur",
+ "unknown_hw_error": "Erreur matérielle inconnue",
+ "soil_moisture": "Humidité du sol",
+ "summation_delivered": "Consommation",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Consommation (partie 6)",
+ "timer_state": "État de la minuterie",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Type de rideau",
+ "adaptation_run_enabled": "Exécution de l'adaptation activée",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Niveau de synchronisation de la liaison hors tension à la liaison en tension",
+ "buzzer_manual_alarm": "Activation manuelle du Buzzer",
+ "buzzer_manual_mute": "Désactivation manuelle du Buzzer",
+ "detach_relay": "Détacher le relais",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Désactiver la LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Activer la sirène",
+ "external_window_sensor": "Capteur externe de la fenêtre",
+ "distance_switch": "Interrupteur à distance",
+ "firmware_progress_led": "LED de progression du micrologiciel",
+ "heartbeat_indicator": "Indicateur de rythme cardiaque",
+ "heat_available": "Chaleur disponible",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Inverser le commutateur",
+ "inverted": "Inversé",
+ "led_indicator": "Indicateur LED",
+ "linkage_alarm": "Liaison d'alarme",
+ "local_protection": "Protection locale",
+ "mounting_mode": "Mode de montage",
+ "only_led_mode": "Mode une LED",
+ "open_window": "Fenêtre ouverte",
+ "power_outage_memory": "Mémoire de panne de courant",
+ "prioritize_external_temperature_sensor": "Prioritiser la température du capteur externe",
+ "relay_click_in_on_off_mode_name": "Désactiver le clic du relais en mode marche arrêt",
+ "smart_bulb_mode": "Mode ampoule intelligente",
+ "smart_fan_mode": "Mode ventilateur intelligent",
+ "led_trigger_indicator": "Indicateur de déclenchement LED",
+ "turbo_mode": "Mode turbo",
+ "use_internal_window_detection": "Utiliser la détection interne de la fenêtre",
+ "use_load_balancing": "Utiliser le répartiteur de charge",
+ "valve_detection": "Détection de vanne",
+ "window_detection": "Détection de fenêtre",
+ "invert_window_detection": "Inverser la détection de la fenêtre",
+ "available_tones": "Tonalités disponibles",
"device_trackers": "Dispositifs de suivi des appareils",
"gps_accuracy": "Précision du GPS",
- "paused": "En pause",
- "finishes_at": "Se termine à",
- "remaining": "Restant",
- "restore": "Restaurer",
"last_reset": "Dernière réinitialisation",
"possible_states": "États possibles",
"state_class": "Classe d'état",
@@ -2022,81 +2258,12 @@
"sound_pressure": "Pression acoustique",
"speed": "Vitesse",
"sulphur_dioxide": "Dioxyde de soufre",
+ "timestamp": "Horodatage",
"vocs": "COV",
"volume_flow_rate": "Débit volumétrique",
"stored_volume": "Volume stocké",
"weight": "Poids",
- "cool": "Climatisation",
- "fan_only": "Ventilation uniquement",
- "heat_cool": "Chauffage/Climatisation",
- "aux_heat": "Chauffage auxiliaire",
- "current_humidity": "Humidité actuelle",
- "current_temperature": "Current Temperature",
- "fan_mode": "Mode de ventilation",
- "diffuse": "Diffuse",
- "middle": "Milieu",
- "top": "Haute",
- "current_action": "Action actuelle",
- "cooling": "Rafraichie",
- "defrosting": "Dégivrage",
- "drying": "Déshumidifie",
- "heating": "Chauffe",
- "preheating": "Préchauffage",
- "max_target_humidity": "Humidité cible maximale",
- "max_target_temperature": "Température cible maximale",
- "min_target_humidity": "Humidité cible minimale",
- "min_target_temperature": "Température cible minimale",
- "boost": "Boost",
- "comfort": "Confort",
- "eco": "Éco",
- "horizontal_swing_mode": "Mode d'oscillation horizontale",
- "swing_mode": "Mode d’oscillation",
- "both": "Les deux",
- "horizontal": "Horizontale",
- "upper_target_temperature": "Température cible supérieure",
- "lower_target_temperature": "Température cible inférieure",
- "target_temperature_step": "Pas de température cible",
- "step": "Pas",
- "not_charging": "Pas en chargement",
- "disconnected": "Déconnecté",
- "connected": "Connecté",
- "hot": "Chaud",
- "no_light": "Pas de lumière",
- "light_detected": "Lumière détectée",
- "locked": "Verrouillé",
- "unlocked": "Déverrouillé",
- "not_moving": "Immobile",
- "unplugged": "Débranché",
- "not_running": "À l'arrêt",
- "safe": "Sécurisé",
- "unsafe": "Dangereux",
- "tampering_detected": "Manipulation détectée",
- "box": "Boîte",
- "above_horizon": "Au-dessus de l'horizon",
- "below_horizon": "Sous l’horizon",
- "buffering": "Mise en mémoire tampon",
- "playing": "Lecture en cours",
- "standby": "En veille",
- "app_id": "ID de l'application",
- "local_accessible_entity_picture": "Image de l'entité accessible localement",
- "group_members": "Membres du groupe",
- "muted": "En sourdine",
- "album_artist": "Artiste de l'album",
- "content_id": "ID de contenu",
- "content_type": "Type de contenu",
- "channels": "Canaux",
- "position_updated": "Position mise à jour",
- "series": "Série",
- "all": "Tout",
- "one": "Une fois",
- "available_sound_modes": "Modes sonores disponibles",
- "available_sources": "Sources disponibles",
- "receiver": "Récepteur",
- "speaker": "Haut-parleur",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Routeur",
+ "managed_via_ui": "Géré via l'interface utilisateur",
"color_mode": "Color Mode",
"brightness_only": "Luminosité uniquement",
"hs": "HS",
@@ -2112,12 +2279,34 @@
"minimum_color_temperature_kelvin": "Température de couleur minimale (Kelvin)",
"minimum_color_temperature_mireds": "Température de couleur minimale (mireds)",
"available_color_modes": "Modes de couleur disponibles",
- "available_tones": "Tonalités disponibles",
"docked": "À la station d'accueil",
"mowing": "Tonte",
+ "paused": "En pause",
+ "min_length": "Longueur minimale",
+ "model": "Modèle",
+ "running_automations": "Automatisations en cours",
+ "max_running_scripts": "Nombre maximal de scripts en cours d'exécution",
+ "run_mode": "Mode d’exécution",
+ "parallel": "Parallèle",
+ "queued": "File d'attente",
+ "single": "Unique",
+ "auto_update": "Mise à jour automatique",
+ "installed_version": "Version installée",
+ "latest_version": "Dernière version",
+ "release_summary": "Résumé de la mise à jour",
+ "release_url": "URL de publication",
+ "skipped_version": "Version ignorée",
+ "firmware": "Micrologiciel",
"oscillating": "Oscillation",
"speed_step": "Pas de vitesse",
"available_preset_modes": "Modes prédéfinis disponibles",
+ "minute": "Minute",
+ "second": "Seconde",
+ "next_event": "Prochain événement",
+ "step": "Pas",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Routeur",
"clear_night": "Nuit dégagée",
"cloudy": "Nuageux",
"exceptional": "Exceptionnel",
@@ -2140,25 +2329,8 @@
"uv_index": "Indice UV",
"wind_bearing": "Direction du vent",
"wind_gust_speed": "Vitesse des rafales",
- "auto_update": "Mise à jour automatique",
- "in_progress": "En cours",
- "installed_version": "Version installée",
- "latest_version": "Dernière version",
- "release_summary": "Résumé de la mise à jour",
- "release_url": "URL de publication",
- "skipped_version": "Version ignorée",
- "firmware": "Micrologiciel",
- "armed_away": "Activée (absence)",
- "armed_custom_bypass": "Activée (exception personnalisée)",
- "armed_home": "Activée (présence)",
- "armed_night": "Activée (nuit)",
- "armed_vacation": "Activée (vacances)",
- "disarming": "Désactivation",
- "changed_by": "Modifiée par",
- "code_for_arming": "Code d’activation",
- "not_required": "Non requis",
- "code_format": "Format du code",
"identify": "Identifier",
+ "cleaning": "Nettoyage",
"recording": "Enregistrement",
"streaming": "Diffusion en cours",
"access_token": "Jeton d'accès",
@@ -2166,95 +2338,141 @@
"stream_type": "Type de flux",
"hls": "HLS",
"webrtc": "WebRTC",
- "end_time": "Heure de fin",
- "start_time": "Heure de début",
- "next_event": "Prochain événement",
- "garage": "Garage",
- "event_type": "Type d'événement",
- "event_types": "Types d'événements",
- "doorbell": "Sonnette",
- "running_automations": "Automatisations en cours",
- "id": "ID",
- "max_running_automations": "Nombre maximal d’automatisations en cours d’exécution",
- "run_mode": "Mode d’exécution",
- "parallel": "Parallèle",
- "queued": "File d'attente",
- "single": "Unique",
- "cleaning": "Nettoyage",
- "listening": "Écoute",
- "processing": "En traitement",
- "responding": "Répond",
- "max_running_scripts": "Nombre maximal de scripts en cours d'exécution",
+ "last_scanned_by_device_id_name": "Dernière analyse par ID d'appareil",
+ "tag_id": "ID du tag",
+ "box": "Boîte",
"jammed": "Bloqué",
+ "locked": "Verrouillé",
"locking": "Verrouillage",
+ "unlocked": "Déverrouillé",
"unlocking": "Déverrouillage",
+ "changed_by": "Modifiée par",
+ "code_format": "Format du code",
"members": "Membres",
- "known_hosts": "Hôtes connus",
- "google_cast_configuration": "Configuration de Google Cast",
- "confirm_description": "Voulez-vous configurer {name} ?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Le compte est déjà configuré",
- "abort_already_in_progress": "La configuration est déjà en cours",
- "failed_to_connect": "Échec de connexion",
- "invalid_access_token": "Jeton d'accès non valide",
- "invalid_authentication": "Authentification non valide",
- "received_invalid_token_data": "Des données de jeton non valides ont été reçues.",
- "abort_oauth_failed": "Erreur lors de l'obtention du jeton d'accès.",
- "timeout_resolving_oauth_token": "Délai d'expiration de la résolution du jeton OAuth.",
- "abort_oauth_unauthorized": "Erreur d'autorisation OAuth lors de l'obtention du jeton d'accès.",
- "re_authentication_was_successful": "La ré-authentification a réussi",
- "unexpected_error": "Erreur inattendue",
- "successfully_authenticated": "Authentification réussie",
- "link_fitbit": "Lien Fitbit",
- "pick_authentication_method": "Choisissez la méthode d'authentification",
- "authentication_expired_for_name": "L'authentification a expiré pour {name}",
+ "listening": "Écoute",
+ "processing": "En traitement",
+ "responding": "Répond",
+ "id": "ID",
+ "max_running_automations": "Nombre maximal d’automatisations en cours d’exécution",
+ "cool": "Climatisation",
+ "fan_only": "Ventilation uniquement",
+ "heat_cool": "Chauffage/Climatisation",
+ "aux_heat": "Chauffage auxiliaire",
+ "current_humidity": "Humidité actuelle",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Mode de ventilation",
+ "diffuse": "Diffuse",
+ "middle": "Milieu",
+ "top": "Haute",
+ "current_action": "Action actuelle",
+ "cooling": "Rafraichie",
+ "defrosting": "Dégivrage",
+ "drying": "Déshumidifie",
+ "heating": "Chauffe",
+ "preheating": "Préchauffage",
+ "max_target_humidity": "Humidité cible maximale",
+ "max_target_temperature": "Température cible maximale",
+ "min_target_humidity": "Humidité cible minimale",
+ "min_target_temperature": "Température cible minimale",
+ "boost": "Boost",
+ "comfort": "Confort",
+ "eco": "Éco",
+ "horizontal_swing_mode": "Mode d'oscillation horizontale",
+ "swing_mode": "Mode d’oscillation",
+ "both": "Les deux",
+ "horizontal": "Horizontale",
+ "upper_target_temperature": "Température cible supérieure",
+ "lower_target_temperature": "Température cible inférieure",
+ "target_temperature_step": "Pas de température cible",
+ "stopped": "Arrêté",
+ "garage": "Garage",
+ "not_charging": "Pas en chargement",
+ "disconnected": "Déconnecté",
+ "connected": "Connecté",
+ "hot": "Chaud",
+ "no_light": "Pas de lumière",
+ "light_detected": "Lumière détectée",
+ "not_moving": "Immobile",
+ "unplugged": "Débranché",
+ "not_running": "À l'arrêt",
+ "safe": "Sécurisé",
+ "unsafe": "Dangereux",
+ "tampering_detected": "Manipulation détectée",
+ "buffering": "Mise en mémoire tampon",
+ "playing": "Lecture en cours",
+ "standby": "En veille",
+ "app_id": "ID de l'application",
+ "local_accessible_entity_picture": "Image de l'entité accessible localement",
+ "group_members": "Membres du groupe",
+ "muted": "En sourdine",
+ "album_artist": "Artiste de l'album",
+ "content_id": "ID de contenu",
+ "content_type": "Type de contenu",
+ "channels": "Canaux",
+ "position_updated": "Position mise à jour",
+ "series": "Série",
+ "all": "Tout",
+ "one": "Une fois",
+ "available_sound_modes": "Modes sonores disponibles",
+ "available_sources": "Sources disponibles",
+ "receiver": "Récepteur",
+ "speaker": "Haut-parleur",
+ "tv": "TV",
+ "end_time": "End time",
+ "start_time": "Start time",
+ "event_type": "Type d'événement",
+ "event_types": "Types d'événements",
+ "doorbell": "Sonnette",
+ "above_horizon": "Au-dessus de l'horizon",
+ "below_horizon": "Sous l’horizon",
+ "armed_away": "Activée (absence)",
+ "armed_custom_bypass": "Activée (exception personnalisée)",
+ "armed_home": "Activée (présence)",
+ "armed_night": "Activée (nuit)",
+ "armed_vacation": "Activée (vacances)",
+ "disarming": "Désactivation",
+ "code_for_arming": "Code d’activation",
+ "not_required": "Non requis",
+ "finishes_at": "Se termine à",
+ "remaining": "Restant",
+ "restore": "Restaurer",
"device_is_already_configured": "L'appareil est déjà configuré",
+ "failed_to_connect": "Échec de connexion",
"abort_no_devices_found": "Aucun appareil trouvé sur le réseau",
+ "re_authentication_was_successful": "La ré-authentification a réussi",
"re_configuration_was_successful": "La reconfiguration a réussi",
"connection_error_error": "Erreur de connexion : {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
"camera_stream_authentication_failed": "Camera stream authentication failed",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "Enable camera live view",
- "username": "Nom d'utilisateur",
+ "username": "Username",
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authentification",
+ "authentication_expired_for_name": "L'authentification a expiré pour {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Déjà configuré. Une seule configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Voulez-vous commencer la configuration ?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Type Switchbot non pris en charge.",
+ "unexpected_error": "Erreur inattendue",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Voulez-vous configurer {name} ?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Clé de chiffrement",
+ "key_id": "Key ID",
+ "password_description": "Mot de passe pour protéger la sauvegarde.",
+ "mac_address": "Adresse MAC",
"service_is_already_configured": "Le service est déjà configuré",
- "invalid_ics_file": "Fichier .ics non valide",
- "calendar_name": "Nom du calendrier",
- "starting_data": "Données de départ",
+ "abort_already_in_progress": "La configuration est déjà en cours",
"abort_invalid_host": "Nom d'hôte ou adresse IP non valide",
"device_not_supported": "Appareil non pris en charge",
+ "invalid_authentication": "Authentification non valide",
"name_model_at_host": "{name} ({model} à {host})",
"authenticate_to_the_device": "S'authentifier sur l'appareil",
"finish_title": "Choisissez un nom pour l'appareil",
@@ -2262,67 +2480,27 @@
"yes_do_it": "Oui, le faire.",
"unlock_the_device_optional": "Déverrouiller l'appareil (facultatif)",
"connect_to_the_device": "Se connecter à l'appareil",
- "abort_missing_credentials": "L'intégration nécessite des informations d'identification d'application.",
- "timeout_establishing_connection": "Délai d'attente pour établir la connexion expiré",
- "link_google_account": "Associer un compte Google",
- "path_is_not_allowed": "Le chemin d'accès n'est pas autorisé",
- "path_is_not_valid": "Le chemin d'accès n'est pas valide",
- "path_to_file": "Chemin d'accès au fichier",
- "api_key": "Clé d'API",
- "configure_daikin_ac": "Configurer Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adaptateur",
- "multiple_adapters_description": "Sélectionner un adaptateur Bluetooth à configurer",
- "arm_away_action": "Action lors de l'armement en mode absence",
- "arm_custom_bypass_action": "Action lors de l'armement en mode bypass personnalisé",
- "arm_home_action": "Action lors de l'armement en mode maison",
- "arm_night_action": "Action lors de l'armement en mode nuit",
- "arm_vacation_action": "Action lors de l'armement en mode vacances",
- "code_arm_required": "Code requis pour armer",
- "disarm_action": "Action lors du désarmement",
- "trigger_action": "Action lors du déclenchement",
- "value_template": "Modèle de valeur",
- "template_alarm_control_panel": "Alarme basée sur un modèle",
- "device_class": "Classe d'appareil",
- "state_template": "Modèle de l'état",
- "template_binary_sensor": "Modèle capteur binaire",
- "actions_on_press": "Actions au clic",
- "template_button": "Bouton basé sur un modèle",
- "verify_ssl_certificate": "Vérifier le certificat SSL",
- "template_image": "Image basée sur un modèle",
- "actions_on_set_value": "Actions lors de la définition d'une valeur",
- "template_number": "Nombre basé sur un modèle",
- "available_options": "Options disponibles",
- "actions_on_select": "Actions lors de la sélection",
- "template_select": "Liste déroulante basée sur un modèle",
- "template_sensor": "Capteur de modèle",
- "actions_on_turn_off": "Actions lors de la désactivation",
- "actions_on_turn_on": "Actions lors à l'activation",
- "template_switch": "Interrupteur basé sur un modèle",
- "menu_options_alarm_control_panel": "Modéliser un panneau de contrôle d'alarme",
- "template_a_binary_sensor": "Modéliser un capteur binaire",
- "template_a_button": "Modéliser un bouton",
- "template_an_image": "Modéliser une image",
- "template_a_number": "Modéliser un nombre",
- "template_a_select": "Modéliser une liste déroulante",
- "template_a_sensor": "Modéliser un capteur",
- "template_a_switch": "Modéliser un commutateur",
- "template_helper": "Assistant de modèle",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Le compte est déjà configuré",
+ "invalid_access_token": "Jeton d'accès non valide",
+ "received_invalid_token_data": "Des données de jeton non valides ont été reçues.",
+ "abort_oauth_failed": "Erreur lors de l'obtention du jeton d'accès.",
+ "timeout_resolving_oauth_token": "Délai d'expiration de la résolution du jeton OAuth.",
+ "abort_oauth_unauthorized": "Erreur d'autorisation OAuth lors de l'obtention du jeton d'accès.",
+ "successfully_authenticated": "Authentification réussie",
+ "link_fitbit": "Lien Fitbit",
+ "pick_authentication_method": "Choisissez la méthode d'authentification",
+ "two_factor_code": "Code à deux facteurs",
+ "two_factor_authentication": "Authentification à deux facteurs",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Connectez-vous avec votre compte Ring",
+ "abort_alternative_integration": "L'appareil est mieux pris en charge par une autre intégration",
+ "abort_incomplete_config": "Il manque une variable requise dans la configuration",
+ "manual_description": "URL vers un fichier XML de description d'appareil",
+ "manual_title": "Connexion manuelle de l'appareil DLNA DMR",
+ "discovered_dlna_dmr_devices": "Appareils DLNA DMR découverts",
+ "broadcast_address": "Adresse de diffusion",
+ "broadcast_port": "Port de diffusion",
"abort_addon_info_failed": "Échec de l'obtention des informations pour le module complémentaire {addon}.",
"abort_addon_install_failed": "Échec de l'installation du module complémentaire {addon}.",
"abort_addon_start_failed": "Échec du démarrage du module complémentaire {addon}.",
@@ -2349,48 +2527,47 @@
"starting_add_on": "Démarrage du module complémentaire",
"menu_options_addon": "Utiliser le module complémentaire officiel {addon}.",
"menu_options_broker": "Saisir manuellement les informations de connexion du courtier MQTT",
- "bridge_is_already_configured": "Ce pont est déjà configuré",
- "no_deconz_bridges_discovered": "Aucun pont deCONZ n'a été découvert",
- "abort_no_hardware_available": "Aucun matériel radio connecté à deCONZ",
- "abort_updated_instance": "Instance deCONZ mise à jour avec la nouvelle adresse d'hôte",
- "error_linking_not_possible": "Impossible d'établir une liaison avec la passerelle",
- "error_no_key": "Impossible d'obtenir une clé d'API",
- "link_with_deconz": "Lien vers deCONZ",
- "select_discovered_deconz_gateway": "Sélectionnez la passerelle deCONZ découverte",
- "pin_code": "Code PIN",
- "discovered_android_tv": "Android TV découverte",
- "abort_mdns_missing_mac": "Adresse MAC manquante dans les propriétés mDNS.",
- "abort_mqtt_missing_api": "Port API manquant dans les propriétés MQTT.",
- "abort_mqtt_missing_ip": "Adresse IP manquante dans les propriétés MQTT.",
- "abort_mqtt_missing_mac": "Adresse MAC manquante dans les propriétés MQTT.",
- "missing_mqtt_payload": "Charge utile MQTT manquante.",
- "action_received": "Action reçue",
- "discovered_esphome_node": "Nœud ESPHome découvert",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "Pas de port pour le point de terminaison",
- "abort_no_services": "Aucun service trouvé au point de terminaison",
- "discovered_wyoming_service": "Service Wyoming découvert",
- "abort_alternative_integration": "L'appareil est mieux pris en charge par une autre intégration",
- "abort_incomplete_config": "Il manque une variable requise dans la configuration",
- "manual_description": "URL vers un fichier XML de description d'appareil",
- "manual_title": "Connexion manuelle de l'appareil DLNA DMR",
- "discovered_dlna_dmr_devices": "Appareils DLNA DMR découverts",
+ "api_key": "Clé d'API",
+ "configure_daikin_ac": "Configurer Daikin AC",
+ "cannot_connect_details_error_detail": "Connexion impossible. Détails : {error_detail}",
+ "unknown_details_error_detail": "Inconnue. Détails : {error_detail}",
+ "uses_an_ssl_certificate": "Utilise un certificat SSL",
+ "verify_ssl_certificate": "Vérifier le certificat SSL",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adaptateur",
+ "multiple_adapters_description": "Sélectionner un adaptateur Bluetooth à configurer",
"api_error_occurred": "Une erreur d'API est survenue",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Activer HTTPS",
- "broadcast_address": "Adresse de diffusion",
- "broadcast_port": "Port de diffusion",
- "mac_address": "Adresse MAC",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 n'est pas pris en charge.",
- "error_custom_port_not_supported": "L'appareil Gen1 ne prend pas en charge le port personnalisé.",
- "two_factor_code": "Code à deux facteurs",
- "two_factor_authentication": "Authentification à deux facteurs",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Connectez-vous avec votre compte Ring",
+ "timeout_establishing_connection": "Délai d'attente pour établir la connexion expiré",
+ "link_google_account": "Associer un compte Google",
+ "path_is_not_allowed": "Le chemin d'accès n'est pas autorisé",
+ "path_is_not_valid": "Le chemin d'accès n'est pas valide",
+ "path_to_file": "Chemin d'accès au fichier",
+ "pin_code": "Code PIN",
+ "discovered_android_tv": "Android TV découverte",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "Toutes les entités",
"hide_members": "Cacher les membres",
"create_group": "Créer un groupe",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignorer les données non numériques",
"data_round_digits": "Arrondir la valeur au nombre de décimales",
"type": "Type",
@@ -2398,158 +2575,136 @@
"button_group": "Groupe de boutons",
"cover_group": "Groupe de fermetures",
"event_group": "Groupe d'événements",
- "fan_group": "Groupe de ventilateurs",
- "light_group": "Groupe de lumières",
"lock_group": "Groupe de verrous",
"media_player_group": "Groupe de lecteurs multimédia",
"notify_group": "Groupe de notification",
"sensor_group": "Groupe de capteurs",
"switch_group": "Groupe d'interrupteurs",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Type Switchbot non pris en charge.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Mot de passe pour protéger la sauvegarde.",
- "device_address": "Adresse de l'appareil",
- "cannot_connect_details_error_detail": "Connexion impossible. Détails : {error_detail}",
- "unknown_details_error_detail": "Inconnue. Détails : {error_detail}",
- "uses_an_ssl_certificate": "Utilise un certificat SSL",
- "ignore_cec": "Ignorer CEC",
- "allowed_uuids": "UUID autorisés",
- "advanced_google_cast_configuration": "Configuration avancée de Google Cast",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "ID de l’appareil",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Accès de Home Assistant à Google Agenda",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Recherche passive",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Options de courtier",
- "enable_birth_message": "Activer le message de naissance",
- "birth_message_payload": "Contenu du message de naissance",
+ "known_hosts": "Hôtes connus",
+ "google_cast_configuration": "Configuration de Google Cast",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Adresse MAC manquante dans les propriétés mDNS.",
+ "abort_mqtt_missing_api": "Port API manquant dans les propriétés MQTT.",
+ "abort_mqtt_missing_ip": "Adresse IP manquante dans les propriétés MQTT.",
+ "abort_mqtt_missing_mac": "Adresse MAC manquante dans les propriétés MQTT.",
+ "missing_mqtt_payload": "Charge utile MQTT manquante.",
+ "action_received": "Action reçue",
+ "discovered_esphome_node": "Nœud ESPHome découvert",
+ "bridge_is_already_configured": "Ce pont est déjà configuré",
+ "no_deconz_bridges_discovered": "Aucun pont deCONZ n'a été découvert",
+ "abort_no_hardware_available": "Aucun matériel radio connecté à deCONZ",
+ "abort_updated_instance": "Instance deCONZ mise à jour avec la nouvelle adresse d'hôte",
+ "error_linking_not_possible": "Impossible d'établir une liaison avec la passerelle",
+ "error_no_key": "Impossible d'obtenir une clé d'API",
+ "link_with_deconz": "Lien vers deCONZ",
+ "select_discovered_deconz_gateway": "Sélectionnez la passerelle deCONZ découverte",
+ "abort_missing_credentials": "L'intégration nécessite des informations d'identification d'application.",
+ "no_port_for_endpoint": "Pas de port pour le point de terminaison",
+ "abort_no_services": "Aucun service trouvé au point de terminaison",
+ "discovered_wyoming_service": "Service Wyoming découvert",
+ "ipv_is_not_supported": "IPv6 n'est pas pris en charge.",
+ "error_custom_port_not_supported": "L'appareil Gen1 ne prend pas en charge le port personnalisé.",
+ "arm_away_action": "Action lors de l'armement en mode absence",
+ "arm_custom_bypass_action": "Action lors de l'armement en mode bypass personnalisé",
+ "arm_home_action": "Action lors de l'armement en mode maison",
+ "arm_night_action": "Action lors de l'armement en mode nuit",
+ "arm_vacation_action": "Action lors de l'armement en mode vacances",
+ "code_arm_required": "Code requis pour armer",
+ "disarm_action": "Action lors du désarmement",
+ "trigger_action": "Action lors du déclenchement",
+ "value_template": "Modèle de valeur",
+ "template_alarm_control_panel": "Alarme basée sur un modèle",
+ "state_template": "Modèle de l'état",
+ "template_binary_sensor": "Modèle capteur binaire",
+ "actions_on_press": "Actions au clic",
+ "template_button": "Bouton basé sur un modèle",
+ "template_image": "Image basée sur un modèle",
+ "actions_on_set_value": "Actions lors de la définition d'une valeur",
+ "template_number": "Nombre basé sur un modèle",
+ "available_options": "Options disponibles",
+ "actions_on_select": "Actions lors de la sélection",
+ "template_select": "Liste déroulante basée sur un modèle",
+ "template_sensor": "Capteur de modèle",
+ "actions_on_turn_off": "Actions lors de la désactivation",
+ "actions_on_turn_on": "Actions lors à l'activation",
+ "template_switch": "Interrupteur basé sur un modèle",
+ "menu_options_alarm_control_panel": "Modéliser un panneau de contrôle d'alarme",
+ "template_a_binary_sensor": "Modéliser un capteur binaire",
+ "template_a_button": "Modéliser un bouton",
+ "template_an_image": "Modéliser une image",
+ "template_a_number": "Modéliser un nombre",
+ "template_a_select": "Modéliser une liste déroulante",
+ "template_a_sensor": "Modéliser un capteur",
+ "template_a_switch": "Modéliser un commutateur",
+ "template_helper": "Assistant de modèle",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "Cet appareil n'est pas un appareil zha",
+ "abort_usb_probe_failed": "Échec de l'analyse du périphérique USB",
+ "invalid_backup_json": "JSON de sauvegarde non valide",
+ "choose_an_automatic_backup": "Sélectionnez une sauvegarde automatique",
+ "restore_automatic_backup": "Restaurer une sauvegarde automatique",
+ "choose_formation_strategy_description": "Sélectionnez les paramètres réseau de votre radio.",
+ "create_a_network": "Créer un réseau",
+ "keep_radio_network_settings": "Conserver les paramètres réseau de la radio",
+ "upload_a_manual_backup": "Téléverser une sauvegarde manuelle",
+ "network_formation": "Création du réseau",
+ "serial_device_path": "Chemin d’accès du périphérique série",
+ "select_a_serial_port": "Sélectionnez un port série",
+ "radio_type": "Type de radio",
+ "manual_pick_radio_type_description": "Sélectionnez le type de votre radio Zigbee",
+ "port_speed": "Vitesse du port",
+ "data_flow_control": "Contrôle du flux de données",
+ "manual_port_config_description": "Saisissez les paramètres du port série",
+ "serial_port_settings": "Paramètres du port série",
+ "data_overwrite_coordinator_ieee": "Remplacer définitivement l'adresse IEEE de la radio",
+ "overwrite_radio_ieee_address": "Écraser l'adresse IEEE de la radio",
+ "upload_a_file": "Téléverser un fichier",
+ "radio_is_not_recommended": "La radio n'est pas recommandée",
+ "invalid_ics_file": "Fichier .ics non valide",
+ "calendar_name": "Nom du calendrier",
+ "starting_data": "Données de départ",
+ "zha_alarm_options_alarm_arm_requires_code": "Code requis pour les actions d’activation",
+ "zha_alarm_options_alarm_master_code": "Code principal pour la ou les centrales d’alarme",
+ "alarm_control_panel_options": "Options de la centrale d’alarme",
+ "zha_options_consider_unavailable_battery": "Considérer les appareils alimentés par batterie indisponibles après (secondes)",
+ "zha_options_consider_unavailable_mains": "Considérer les appareils alimentés par le secteur indisponibles après (secondes)",
+ "zha_options_default_light_transition": "Durée par défaut de transition de la lumière (en secondes)",
+ "zha_options_group_members_assume_state": "Les membres du groupe assument l'état du groupe",
+ "zha_options_light_transitioning_flag": "Activer le curseur de luminosité amélioré pendant la transition lumineuse",
+ "global_options": "Options générales",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Nombre de nouvelles tentatives",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "URL non valide",
+ "data_browse_unfiltered": "Afficher les fichiers multimédias incompatibles lors de la navigation",
+ "event_listener_callback_url": "URL de rappel de l'écouteur d'événement",
+ "data_listen_port": "Port d'écoute d'événement (aléatoire s'il n'est pas défini)",
+ "poll_for_device_availability": "Sondage pour la disponibilité de l'appareil",
+ "init_title": "Configuration du moteur de rendu multimédia numérique DLNA",
+ "broker_options": "Options de courtier",
+ "enable_birth_message": "Activer le message de naissance",
+ "birth_message_payload": "Contenu du message de naissance",
"birth_message_qos": "QoS du message de naissance",
"birth_message_retain": "Retenir le message de naissance",
"birth_message_topic": "Topic du message de naissance",
@@ -2562,40 +2717,156 @@
"will_message_topic": "Topic du message de testament",
"data_description_discovery": "Option pour activer la découverte automatique MQTT.",
"mqtt_options": "Options MQTT",
- "data_allow_nameless_uuids": "UUIDs actuellement autorisés. Décocher pour supprimer",
- "data_new_uuid": "Saisir un nouvel UUID autorisé",
- "allow_deconz_clip_sensors": "Autoriser les capteurs deCONZ CLIP",
- "allow_deconz_light_groups": "Autoriser les groupes de lumières deCONZ",
- "data_allow_new_devices": "Autoriser l'ajout automatique de nouveaux appareils",
- "deconz_devices_description": "Configurer la visibilité des appareils de type deCONZ",
- "deconz_options": "Options deCONZ",
+ "passive_scanning": "Recherche passive",
+ "protocol": "Protocole",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Code de langue",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
"data_app_delete": "Cochez pour supprimer cette application",
"application_icon": "Icône de l'application",
"application_id": "ID d'application",
"application_name": "Nom de l'application",
"configure_application_id_app_id": "Configurer l'ID d'application {app_id}",
- "configure_android_apps": "Configure Android apps",
+ "configure_android_apps": "Configurer les applications Android",
"configure_applications_list": "Configurer la liste des applications",
- "invalid_url": "URL non valide",
- "data_browse_unfiltered": "Afficher les fichiers multimédias incompatibles lors de la navigation",
- "event_listener_callback_url": "URL de rappel de l'écouteur d'événement",
- "data_listen_port": "Port d'écoute d'événement (aléatoire s'il n'est pas défini)",
- "poll_for_device_availability": "Sondage pour la disponibilité de l'appareil",
- "init_title": "Configuration du moteur de rendu multimédia numérique DLNA",
- "protocol": "Protocole",
- "language_code": "Code de langue",
- "bluetooth_scanner_mode": "Mode scanner Bluetooth",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Nombre de nouvelles tentatives",
+ "ignore_cec": "Ignorer CEC",
+ "allowed_uuids": "UUID autorisés",
+ "advanced_google_cast_configuration": "Configuration avancée de Google Cast",
+ "allow_deconz_clip_sensors": "Autoriser les capteurs deCONZ CLIP",
+ "allow_deconz_light_groups": "Autoriser les groupes de lumières deCONZ",
+ "data_allow_new_devices": "Autoriser l'ajout automatique de nouveaux appareils",
+ "deconz_devices_description": "Configurer la visibilité des appareils de type deCONZ",
+ "deconz_options": "Options deCONZ",
"select_test_server": "Sélectionner le serveur de test",
- "toggle_entity_name": "Basculer {entity_name}",
- "disarm_entity_name": "Désactiver {entity_name}",
- "turn_on_entity_name": "Activer {entity_name}",
- "entity_name_is_off": "{entity_name} est désactivé",
- "entity_name_is_on": "{entity_name} est activé",
- "trigger_type_changed_states": "{entity_name} a été activé ou désactivé",
- "entity_name_turned_off": "{entity_name} a été désactivé",
- "entity_name_turned_on": "{entity_name} a été activé",
+ "data_calendar_access": "Accès de Home Assistant à Google Agenda",
+ "bluetooth_scanner_mode": "Mode scanner Bluetooth",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "UUIDs actuellement autorisés. Décocher pour supprimer",
+ "data_new_uuid": "Saisir un nouvel UUID autorisé",
+ "reconfigure_zha": "Reconfigurer ZHA",
+ "unplug_your_old_radio": "Débranchez votre ancienne radio",
+ "intent_migrate_title": "Migrer vers une nouvelle radio",
+ "re_configure_the_current_radio": "Reconfigurer la radio actuelle",
+ "migrate_or_re_configure": "Migrer ou reconfigurer",
"current_entity_name_apparent_power": "Puissance apparente actuelle de {entity_name}",
"condition_type_is_aqi": "Indice actuel de la qualité de l’air de {entity_name}",
"current_entity_name_area": "Pièce actuelle de {entity_name}",
@@ -2688,6 +2959,57 @@
"entity_name_water_changes": "L'eau de {entity_name} change",
"entity_name_weight_changes": "La masse de {entity_name} change",
"entity_name_wind_speed_changes": "La vitesse du vent de {entity_name} change",
+ "decrease_entity_name_brightness": "Diminuer la luminosité de {entity_name}",
+ "increase_entity_name_brightness": "Augmenter la luminosité de {entity_name}",
+ "flash_entity_name": "Faire clignoter {entity_name}",
+ "toggle_entity_name": "Basculer {entity_name}",
+ "disarm_entity_name": "Désactiver {entity_name}",
+ "turn_on_entity_name": "Activer {entity_name}",
+ "entity_name_is_off": "{entity_name} est désactivé",
+ "entity_name_is_on": "{entity_name} est activé",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} a été activé ou désactivé",
+ "entity_name_turned_off": "{entity_name} a été désactivé",
+ "entity_name_turned_on": "{entity_name} a été activé",
+ "set_value_for_entity_name": "Définir la valeur de {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "La disponibilité d'une mise à jour pour {entity_name} a changé",
+ "entity_name_became_up_to_date": "{entity_name} a été mis à jour",
+ "trigger_type_update": "Une mise à jour est disponible pour {entity_name}",
+ "first_button": "Premier bouton",
+ "second_button": "Deuxième bouton",
+ "third_button": "Troisième bouton",
+ "fourth_button": "Quatrième bouton",
+ "fifth_button": "Cinquième bouton",
+ "sixth_button": "Sixième bouton",
+ "subtype_double_clicked": "\"{subtype}\" double cliqué",
+ "subtype_continuously_pressed": "\"{subtype}\" appuyé continuellement",
+ "trigger_type_button_long_release": "\"{subtype}\" relâché après un appui long",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clics",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clics",
+ "subtype_pressed": "\"{subtype}\" est pressé",
+ "subtype_released": "\" {subtype} \" est relâché",
+ "subtype_triple_clicked": "\"{subtype}\" à trois clics",
+ "entity_name_is_home": "{entity_name} est à la maison",
+ "entity_name_is_not_home": "{entity_name} n'est pas à la maison",
+ "entity_name_enters_a_zone": "{entity_name} entre dans une zone",
+ "entity_name_leaves_a_zone": "{entity_name} quitte une zone",
+ "press_entity_name_button": "Appuyer sur le bouton {entity_name}",
+ "entity_name_has_been_pressed": "{entity_name} est pressé",
+ "let_entity_name_clean": "Laissez {entity_name} nettoyer",
+ "action_type_dock": "Laisser {entity_name} retourner à la base",
+ "entity_name_is_cleaning": "{entity_name} nettoie",
+ "entity_name_docked": "{entity_name} est sur la base",
+ "entity_name_started_cleaning": "{entity_name} commence à nettoyer",
+ "send_a_notification": "Envoyer une notification",
+ "lock_entity_name": "Verrouiller {entity_name}",
+ "open_entity_name": "Ouvrir {entity_name}",
+ "unlock_entity_name": "Déverrouiller {entity_name}",
+ "entity_name_is_locked": "{entity_name} est verrouillé",
+ "entity_name_is_open": "{entity_name} est ouvert",
+ "entity_name_unlocked": "{entity_name} est déverrouillé",
+ "entity_name_locked": "{entity_name} s'est verrouillé",
+ "entity_name_opened": "{entity_name} ouvert",
"action_type_set_hvac_mode": "Définir le mode CVC de {entity_name}",
"change_preset_on_entity_name": "Changer les préréglages de {entity_name}",
"hvac_mode": "Mode CVC",
@@ -2695,8 +3017,21 @@
"entity_name_measured_humidity_changed": "Changement d'humidité mesurée par {entity_name}",
"entity_name_measured_temperature_changed": "Changement de température mesurée par {entity_name}",
"entity_name_hvac_mode_changed": "Modification du mode CVC de {entity_name}",
- "set_value_for_entity_name": "Définir une valeur pour {entity_name}",
- "value": "Value",
+ "close_entity_name": "Fermer {entity_name}",
+ "close_entity_name_tilt": "Fermer l'inclinaison de {entity_name}",
+ "open_entity_name_tilt": "Ouvrir l'inclinaison de {entity_name}",
+ "set_entity_name_position": "Définir la position de {entity_name}",
+ "set_entity_name_tilt_position": "Définir la position d'inclinaison de {entity_name}",
+ "stop_entity_name": "Arrêter {entity_name}",
+ "entity_name_closed": "{entity_name} est fermé",
+ "entity_name_is_closing": "{entity_name} se ferme",
+ "entity_name_is_opening": "{entity_name} s’ouvre",
+ "current_entity_name_position_is": "La position actuelle de {entity_name} est",
+ "condition_type_is_tilt_position": "L'inclinaison actuelle de {entity_name} est",
+ "entity_name_closing": "Fermeture de {entity_name}",
+ "entity_name_opening": "Ouverture de {entity_name}",
+ "entity_name_position_changes": "Changement de position de {entity_name}",
+ "entity_name_tilt_position_changes": "Changement d'inclinaison de {entity_name}",
"entity_name_battery_is_low": "La batterie de {entity_name} est faible",
"entity_name_charging": "{entity_name} charge",
"condition_type_is_co": "{entity_name} détecte du monoxyde de carbone",
@@ -2705,7 +3040,6 @@
"entity_name_is_detecting_gas": "{entity_name} détecte du gaz",
"entity_name_is_hot": "{entity_name} est chaud",
"entity_name_is_detecting_light": "{entity_name} détecte de la lumière",
- "entity_name_is_locked": "{entity_name} est verrouillé",
"entity_name_is_moist": "{entity_name} est humide",
"entity_name_is_detecting_motion": "{entity_name} détecte du mouvement",
"entity_name_is_moving": "{entity_name} se déplace",
@@ -2723,11 +3057,9 @@
"entity_name_is_not_cold": "{entity_name} n'est pas froid",
"entity_name_is_disconnected": "{entity_name} est déconnecté",
"entity_name_is_not_hot": "{entity_name} n'est pas chaud",
- "entity_name_is_unlocked": "{entity_name} est déverrouillé",
"entity_name_is_dry": "{entity_name} est sec",
"entity_name_is_not_moving": "{entity_name} ne bouge pas",
"entity_name_is_not_occupied": "{entity_name} n'est pas occupé",
- "entity_name_is_closed": "{entity_name} est fermé",
"entity_name_is_unplugged": "{entity_name} est débranché",
"entity_name_is_not_powered": "{entity_name} n'est pas alimenté",
"entity_name_is_not_present": "{entity_name} n'est pas présent",
@@ -2735,7 +3067,6 @@
"condition_type_is_not_tampered": "{entity_name} ne détecte pas de manipulation",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} est occupé",
- "entity_name_is_open": "{entity_name} est ouvert",
"entity_name_is_plugged_in": "{entity_name} est branché",
"entity_name_is_powered": "{entity_name} est alimenté",
"entity_name_is_present": "{entity_name} est présent",
@@ -2745,7 +3076,6 @@
"entity_name_is_detecting_sound": "{entity_name} détecte du son",
"entity_name_is_detecting_tampering": "{entity_name} détecte une manipulation",
"entity_name_is_unsafe": "{entity_name} is unsafe",
- "trigger_type_update": "Une mise à jour est disponible pour {entity_name}",
"entity_name_is_detecting_vibration": "{entity_name} détecte une vibration",
"entity_name_battery_low": "Batterie de {entity_name} faible",
"trigger_type_co": "{entity_name} commence à détecter du monoxyde de carbone",
@@ -2754,7 +3084,6 @@
"entity_name_started_detecting_gas": "{entity_name} a commencé à détecter du gaz",
"entity_name_became_hot": "{entity_name} est devenu chaud",
"entity_name_started_detecting_light": "{entity_name} a commencé à détecter de la lumière",
- "entity_name_locked": "{entity_name} verrouillé",
"entity_name_became_moist": "{entity_name} est devenu humide",
"entity_name_started_detecting_motion": "{entity_name} a commencé à détecter du mouvement",
"entity_name_started_moving": "{entity_name} a commencé à se déplacer",
@@ -2765,18 +3094,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} a cessé de détecter un problème",
"entity_name_stopped_detecting_smoke": "{entity_name} a cessé de détecter de la fumée",
"entity_name_stopped_detecting_sound": "{entity_name} a cessé de détecter du bruit",
- "entity_name_became_up_to_date": "{entity_name} a été mis à jour",
"entity_name_stopped_detecting_vibration": "{entity_name} a cessé de détecter une vibration",
"entity_name_battery_normal": "Batterie de {entity_name} est normale",
"entity_name_not_charging": "{entity_name} ne charge pas",
"entity_name_became_not_cold": "{entity_name} n'est plus froid",
"entity_name_disconnected": "{entity_name} s'est déconnecté",
"entity_name_became_not_hot": "{entity_name} n'est plus chaud",
- "entity_name_unlocked": "{entity_name} déverrouillé",
"entity_name_became_dry": "{entity_name} est devenu sec",
"entity_name_stopped_moving": "{entity_name} a cessé de bouger",
"entity_name_became_not_occupied": "{entity_name} est devenu non occupé",
- "entity_name_closed": "{entity_name} fermé",
"entity_name_unplugged": "{entity_name} débranché",
"entity_name_not_powered": "{entity_name} non alimenté",
"entity_name_not_present": "{entity_name} non présent",
@@ -2784,7 +3110,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} cesse de détecter une manipulation",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} est devenu occupé",
- "entity_name_opened": "{entity_name} ouvert",
"entity_name_plugged_in": "{entity_name} branché",
"entity_name_powered": "{entity_name} alimenté",
"entity_name_present": "{entity_name} présent",
@@ -2802,34 +3127,6 @@
"entity_name_starts_buffering": "{entity_name} commence à mettre en mémoire tampon",
"entity_name_becomes_idle": "{entity_name} devient inactif",
"entity_name_starts_playing": "{entity_name} commence à jouer",
- "entity_name_is_home": "{entity_name} est à la maison",
- "entity_name_is_not_home": "{entity_name} n'est pas à la maison",
- "entity_name_enters_a_zone": "{entity_name} entre dans une zone",
- "entity_name_leaves_a_zone": "{entity_name} quitte une zone",
- "decrease_entity_name_brightness": "Diminuer la luminosité de {entity_name}",
- "increase_entity_name_brightness": "Augmenter la luminosité de {entity_name}",
- "flash_entity_name": "Faire clignoter {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "La disponibilité d'une mise à jour pour {entity_name} a changé",
- "arm_entity_name_away": "Activer {entity_name} en mode absence",
- "arm_entity_name_home": "Activer {entity_name} en mode présence",
- "arm_entity_name_night": "Activer {entity_name} en mode nuit",
- "arm_entity_name_vacation": "Activer {entity_name} en mode vacances",
- "trigger_entity_name": "Déclencher {entity_name}",
- "entity_name_is_armed_away": "{entity_name} est activée en mode absence",
- "entity_name_is_armed_home": "{entity_name} est activée en mode présence",
- "entity_name_is_armed_night": "{entity_name} est activée en mode nuit",
- "entity_name_is_armed_vacation": "{entity_name} est activée en mode vacances",
- "entity_name_is_disarmed": "{entity_name} est désactivée",
- "entity_name_is_triggered": "{entity_name} est déclenchée",
- "entity_name_armed_away": "{entity_name} activée en mode absence",
- "entity_name_armed_home": "{entity_name} activée en mode présence",
- "entity_name_armed_night": "{entity_name} activée en mode nuit",
- "entity_name_armed_vacation": "Le mode vacances de {entity_name} est activée",
- "entity_name_disarmed": "{entity_name} désactivée",
- "entity_name_triggered": "{entity_name} déclenchée",
- "press_entity_name_button": "Appuyer sur le bouton {entity_name}",
- "entity_name_has_been_pressed": "{entity_name} est pressé",
"action_type_select_first": "Remplacer {entity_name} par la première option",
"action_type_select_last": "Remplacer {entity_name} par la dernière option",
"action_type_select_next": "Remplacer {entity_name} par l'option suivante",
@@ -2839,35 +3136,6 @@
"cycle": "Cycle",
"from": "De",
"entity_name_option_changed": "Modification de l’option {entity_name}",
- "close_entity_name": "Fermer {entity_name}",
- "close_entity_name_tilt": "Fermer l'inclinaison de {entity_name}",
- "open_entity_name": "Ouvrir {entity_name}",
- "open_entity_name_tilt": "Ouvrir l'inclinaison de {entity_name}",
- "set_entity_name_position": "Définir la position de {entity_name}",
- "set_entity_name_tilt_position": "Définir la position d'inclinaison de {entity_name}",
- "stop_entity_name": "Arrêter {entity_name}",
- "entity_name_is_closing": "{entity_name} se ferme",
- "entity_name_is_opening": "{entity_name} s’ouvre",
- "current_entity_name_position_is": "La position actuelle de {entity_name} est",
- "condition_type_is_tilt_position": "L'inclinaison actuelle de {entity_name} est",
- "entity_name_closing": "Fermeture de {entity_name}",
- "entity_name_opening": "Ouverture de {entity_name}",
- "entity_name_position_changes": "Changement de position de {entity_name}",
- "entity_name_tilt_position_changes": "Changement d'inclinaison de {entity_name}",
- "first_button": "Premier bouton",
- "second_button": "Deuxième bouton",
- "third_button": "Troisième bouton",
- "fourth_button": "Quatrième bouton",
- "fifth_button": "Cinquième bouton",
- "sixth_button": "Sixième bouton",
- "subtype_double_clicked": "{subtype} double-cliqué",
- "subtype_continuously_pressed": "Appuyer en continu sur \"{subtype}\"",
- "trigger_type_button_long_release": "\"{subtype}\" relâché après un appui long",
- "subtype_quadruple_clicked": "Quadruple clic sur \"{subtype}\"",
- "subtype_quintuple_clicked": "Quintuple clic sur \"{subtype}\"",
- "subtype_pressed": "\"{subtype}\" appuyé",
- "subtype_released": "\"{subtype}\" relâché",
- "subtype_triple_clicked": "{subtype} cliqué trois fois",
"both_buttons": "Les deux boutons",
"bottom_buttons": "Boutons du bas",
"seventh_button": "Septième bouton",
@@ -2892,12 +3160,6 @@
"trigger_type_remote_rotate_from_side": "Appareil tourné de \"côté 6\" à \"{subtype}\"",
"device_turned_clockwise": "Appareil tourné dans le sens horaire",
"device_turned_counter_clockwise": "Appareil tourné dans le sens antihoraire",
- "send_a_notification": "Envoyer une notification",
- "let_entity_name_clean": "Laissez {entity_name} nettoyer",
- "action_type_dock": "Laisser {entity_name} retourner à la base",
- "entity_name_is_cleaning": "{entity_name} nettoie",
- "entity_name_docked": "{entity_name} est sur la base",
- "entity_name_started_cleaning": "{entity_name} commence à nettoyer",
"subtype_button_down": "{subtype} bouton en bas",
"subtype_button_up": "{subtype} bouton haut",
"subtype_double_push": "Double pression sur {subtype}",
@@ -2908,27 +3170,53 @@
"trigger_type_single_long": "{subtype} simple clic, puis un clic long",
"subtype_single_push": "Pression simple sur {subtype}",
"subtype_triple_push": "Triple pression sur {subtype}",
- "lock_entity_name": "Verrouiller {entity_name}",
- "unlock_entity_name": "Déverrouiller {entity_name}",
+ "arm_entity_name_away": "Activer {entity_name} en mode absence",
+ "arm_entity_name_home": "Activer {entity_name} en mode présence",
+ "arm_entity_name_night": "Activer {entity_name} en mode nuit",
+ "arm_entity_name_vacation": "Activer {entity_name} en mode vacances",
+ "trigger_entity_name": "Déclencher {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} est activée en mode absence",
+ "entity_name_is_armed_home": "{entity_name} est activée en mode présence",
+ "entity_name_is_armed_night": "{entity_name} est activée en mode nuit",
+ "entity_name_is_armed_vacation": "{entity_name} est activée en mode vacances",
+ "entity_name_is_disarmed": "{entity_name} est désactivée",
+ "entity_name_is_triggered": "{entity_name} est déclenchée",
+ "entity_name_armed_away": "{entity_name} activée en mode absence",
+ "entity_name_armed_home": "{entity_name} activée en mode présence",
+ "entity_name_armed_night": "{entity_name} activée en mode nuit",
+ "entity_name_armed_vacation": "Le mode vacances de {entity_name} est activée",
+ "entity_name_disarmed": "{entity_name} désactivée",
+ "entity_name_triggered": "{entity_name} déclenchée",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Avertissement",
+ "color_hue": "Teinte de la couleur",
+ "duration_in_seconds": "Durée en secondes",
+ "effect_type": "Type d'effet",
+ "led_number": "Nombre de LED",
+ "with_face_activated": "Avec face 6 activée",
+ "with_any_specified_face_s_activated": "Avec n'importe quelle face / face spécifiée(s) activée",
+ "device_dropped": "Appareil abandonné",
+ "device_flipped_subtype": "Appareil retourné \"{subtype}\"",
+ "device_knocked_subtype": "Appareil frappé \"{subtype}\"",
+ "device_offline": "Appareil hors ligne",
+ "device_rotated_subtype": "Appareil tourné \"{subtype}\"",
+ "device_slid_subtype": "Appareil glissé \"{subtype}\"",
+ "device_tilted": "Dispositif incliné",
+ "trigger_type_remote_button_alt_double_press": "Double-clic sur \"{subtype}\" (mode alternatif)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" enfoncé en continu (mode alternatif)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" relâché après un appui long (mode alternatif)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple cliqué (mode alternatif)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple cliqué (mode alternatif)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" appuyé (mode alternatif)",
+ "subtype_released_alternate_mode": "\"{subtype}\" relâché (mode alternatif)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple-cliqué (mode alternatif)",
"add_to_queue": "Ajouter à la file d'attente",
"play_next": "Lire ensuite",
"options_replace": "Lire maintenant et videz la file d'attente",
"repeat_all": "Répéter tout",
"repeat_one": "Répéter une fois",
- "no_code_format": "Aucun format de code",
- "no_unit_of_measurement": "Aucune unité de mesure",
- "critical": "Critique",
- "debug": "Débogage",
- "warning": "Avertissement",
- "create_an_empty_calendar": "Créer un calendrier vide",
- "options_import_ics_file": "Téléverser un fichier iCalendar (.ics)",
- "passive": "Passif",
- "most_recently_updated": "Mise à jour la plus récente",
- "median": "Médiane",
- "product": "Produit",
- "statistical_range": "Étendue",
- "standard_deviation": "Écart-type",
- "fatal": "Fatal",
"alice_blue": "Alice bleu",
"antique_white": "Blanc antique",
"aqua": "Aqua",
@@ -3047,51 +3335,19 @@
"wheat": "Blé",
"white_smoke": "Fumée blanche",
"yellow_green": "Jaune vert",
- "sets_the_value": "Définit la valeur.",
- "the_target_value": "La valeur cible.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Supprimer la commande",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Type de commande",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Répétitions",
- "send_command": "Envoyer la commande",
- "sends_the_toggle_command": "Envoie la commande de basculement.",
- "turn_off_description": "Éteint une ou plusieurs lumières.",
- "turn_on_description": "Démarre une nouvelle tâche de nettoyage.",
- "set_datetime_description": "Définit la date et/ou l'heure.",
- "the_target_date": "La date cible.",
- "datetime_description": "La date et l'heure cibles.",
- "the_target_time": "Heure cible.",
- "creates_a_new_backup": "Crée une nouvelle sauvegarde.",
- "apply_description": "Active une scène avec configuration.",
- "entities_description": "Liste des entités et leur état cible.",
- "entities_state": "État des entités",
- "transition": "Transition",
- "apply": "Appliquer",
- "creates_a_new_scene": "Crée une nouvelle scène.",
- "scene_id_description": "ID d'entité de la nouvelle scène.",
- "scene_entity_id": "ID d'entité de scène",
- "snapshot_entities": "Entités d'instantané",
- "delete_description": "Supprime une scène créée dynamiquement.",
- "activates_a_scene": "Active une scène.",
- "closes_a_valve": "Ferme une vanne.",
- "opens_a_valve": "Ouvre une vanne.",
- "set_valve_position_description": "Déplace une vanne vers une position spécifique.",
- "target_position": "Position cible.",
- "set_position": "Définir la position",
- "stops_the_valve_movement": "Arrête le mouvement de la vanne.",
- "toggles_a_valve_open_closed": "Ferme/Ouvre une vanne ouverte/fermée.",
- "dashboard_path": "Chemin du tableau de bord",
- "view_path": "Afficher le chemin",
- "show_dashboard_view": "Afficher la vue du tableau de bord",
- "finish_description": "Termine un minuteur en cours d'exécution plus tôt que prévu.",
- "duration_description": "Durée personnalisée pour redémarrer le minuteur.",
+ "critical": "Critique",
+ "debug": "Débogage",
+ "passive": "Passif",
+ "no_code_format": "Aucun format de code",
+ "no_unit_of_measurement": "Aucune unité de mesure",
+ "fatal": "Fatal",
+ "most_recently_updated": "Mise à jour la plus récente",
+ "median": "Médiane",
+ "product": "Produit",
+ "statistical_range": "Étendue",
+ "standard_deviation": "Écart-type",
+ "create_an_empty_calendar": "Créer un calendrier vide",
+ "options_import_ics_file": "Téléverser un fichier iCalendar (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3108,6 +3364,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3118,101 +3375,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Vérifier la configuration",
- "reload_all": "Tout recharger",
- "reload_config_entry_description": "Recharge la configuration d'entrée spécifiée.",
- "config_entry_id": "ID de configuration d'entrée",
- "reload_config_entry": "Recharger la configuration d'entrée",
- "reload_core_config_description": "Recharge la configuration du \"core\" à partir de la configuration YAML.",
- "reload_core_configuration": "Recharger la configuration du \"core\"",
- "reload_custom_jinja_templates": "Recharger les modèles Jinja2 personnalisés",
- "restarts_home_assistant": "Redémarre Home Assistant.",
- "safe_mode_description": "Désactive les intégrations personnalisées et les cartes personnalisées.",
- "save_persistent_states": "Enregistrer les états persistants",
- "set_location_description": "Met à jour l'emplacement de Home Assistant",
- "elevation_description": "Altitude de votre emplacement au-dessus du niveau de la mer.",
- "latitude_of_your_location": "Latitude de votre emplacement.",
- "longitude_of_your_location": "Longitude de votre emplacement.",
- "set_location": "Définir l'emplacement",
- "stops_home_assistant": "Arrêter Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Désactivation générique",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entité à référencer dans l’entrée du journal de bord.",
- "entities_to_update": "Entités à mettre à jour",
- "update_entity": "Mettre à jour l'entité",
- "turns_auxiliary_heater_on_off": "Allume/éteint le chauffage auxiliaire.",
- "aux_heat_description": "Nouvelle valeur du chauffage auxiliaire.",
- "turn_on_off_auxiliary_heater": "Allumer/éteindre le chauffage auxiliaire",
- "sets_fan_operation_mode": "Définit le mode de fonctionnement de ventilation.",
- "fan_operation_mode": "Mode de fonctionnement de ventilation.",
- "set_fan_mode": "Définir le mode ventilation",
- "sets_target_humidity": "Définit l'humidité cible.",
- "set_target_humidity": "Définir l'humidité cible",
- "sets_hvac_operation_mode": "Définit le mode de fonctionnement CVC.",
- "hvac_operation_mode": "Mode de fonctionnement CVC.",
- "set_hvac_mode": "Définir le mode CVC",
- "sets_preset_mode": "Définit le mode préréglé.",
- "set_preset_mode": "Définir le mode préréglé",
- "set_swing_horizontal_mode_description": "Définit le mode de fonctionnement de l'oscillation horizontale.",
- "horizontal_swing_operation_mode": "Mode de fonctionnement de l'oscillation horizontale.",
- "set_horizontal_swing_mode": "Définir le mode d'oscillation horizontale",
- "sets_swing_operation_mode": "Définit le mode de fonctionnement des oscillations.",
- "swing_operation_mode": "Mode de fonctionnement oscillant.",
- "set_swing_mode": "Définir le mode d'oscillation",
- "sets_the_temperature_setpoint": "Définit la température de consigne.",
- "the_max_temperature_setpoint": "La température de consigne maximale.",
- "the_min_temperature_setpoint": "La température de consigne minimale.",
- "the_temperature_setpoint": "La température de consigne.",
- "set_target_temperature": "Régler la température cible",
- "turns_climate_device_off": "Éteint l'appareil de climatisation.",
- "turns_climate_device_on": "Allume l’appareil climatique.",
- "decrement_description": "Décrémente la valeur actuelle d'un pas.",
- "increment_description": "Incrémente la valeur actuelle d'un pas.",
- "reset_description": "Réinitialise un compteur à sa valeur initiale.",
- "set_value_description": "Définit la valeur d'un nombre.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Supprime tous les éléments de la liste de lecture.",
- "clear_playlist": "Effacer la liste de lecture",
- "selects_the_next_track": "Sélectionne la piste suivante.",
- "pauses": "Met en pause.",
- "starts_playing": "Démarre la lecture.",
- "toggles_play_pause": "Bascule entre lecture/pause.",
- "selects_the_previous_track": "Sélectionne la piste précédente.",
- "seek": "Seek",
- "stops_playing": "Arrête la lecture.",
- "starts_playing_specified_media": "Lance la lecture du média spécifié.",
- "announce": "Annoncer",
- "enqueue": "Mettre en file d'attente",
- "repeat_mode_to_set": "Mode de répétition à définir.",
- "select_sound_mode_description": "Sélectionne un mode sonore spécifique.",
- "select_sound_mode": "Sélectionner le mode sonore",
- "select_source": "Sélectionner une source",
- "shuffle_description": "Indique si le mode aléatoire est activé ou non.",
- "toggle_description": "Permet d’activer/désactiver l’aspirateur.",
- "unjoin": "Dissocier",
- "turns_down_the_volume": "Baisse le volume.",
- "turn_down_volume": "Baisser le volume",
- "volume_mute_description": "Coupe ou réactive le son du lecteur multimédia.",
- "is_volume_muted_description": "Définit s'il est mis en sourdine ou non.",
- "mute_unmute_volume": "Désactiver/activer le volume",
- "sets_the_volume_level": "Règle le niveau du volume.",
- "level": "Niveau",
- "set_volume": "Régler le volume",
- "turns_up_the_volume": "Augmente le volume.",
- "turn_up_volume": "Augmenter le volume",
- "battery_description": "Niveau de batterie de l'appareil.",
- "gps_coordinates": "Les coordonnées GPS",
- "gps_accuracy_description": "Précision des coordonnées GPS.",
- "hostname_of_the_device": "Nom d'hôte de l'appareil.",
- "hostname": "Nom d'hôte",
- "mac_description": "Adresse MAC de l'appareil.",
- "see": "Voir",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Éteint la sirène.",
+ "turns_the_siren_on": "Allume la sirène.",
"brightness_value": "Valeur de luminosité",
"a_human_readable_color_name": "Un nom de couleur lisible par l'homme.",
"color_name": "Nom de la couleur",
@@ -3225,26 +3392,69 @@
"rgbww_color": "Couleur RGBWW",
"white_description": "Règle la lumière sur le mode blanc.",
"xy_color": "Couleur XY",
+ "turn_off_description": "Envoie la commande d’arrêt.",
"brightness_step_description": "Modifie la luminosité d'un certain montant.",
"brightness_step_value": "Valeur de pas de luminosité",
"brightness_step_pct_description": "Modifie la luminosité en pourcentage.",
"brightness_step": "Niveau de luminosité",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Agit comme le titre de l'événement.",
- "create_event_description": "Ajoute un nouvel événement de calendrier.",
- "location_description": "Le lieu de l'événement.",
- "create_event": "Créer un évènement",
- "apply_filter": "Appliquer le filtre",
- "days_to_keep": "Jours à conserver",
- "repack": "Reconditionner",
- "purge": "Purger",
- "domains_to_remove": "Domaines à supprimer",
- "entity_globs_to_remove": "Entités globales à supprimer",
- "entities_to_remove": "Entités à supprimer",
- "purge_entities": "Purger les entités",
+ "toggles_the_helper_on_off": "Active/désactive l'entrée logique",
+ "turns_off_the_helper": "Désactive l'entrée logique",
+ "turns_on_the_helper": "Active l'entrée logique",
+ "pauses_the_mowing_task": "Suspend la tâche de tonte.",
+ "starts_the_mowing_task": "Démarre la tâche de tonte.",
+ "creates_a_new_backup": "Crée une nouvelle sauvegarde.",
+ "sets_the_value": "Définit la valeur.",
+ "enter_your_text": "Saisissez votre texte.",
+ "set_value": "Définir la valeur",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Emplacement de code pour définir le code.",
+ "code_slot": "Emplacement du code",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments à transmettre à la commande.",
+ "args": "Params",
+ "cluster_id_description": "Cluster ZCL pour lequel récupérer les attributs.",
+ "cluster_id": "ID du cluster",
+ "type_of_the_cluster": "Type de cluster.",
+ "cluster_type": "Type de cluster",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Type de commande",
+ "endpoint_id_description": "ID du point de terminaison pour le cluster.",
+ "endpoint_id": "ID du point de terminaison",
+ "ieee_description": "Adresse IEEE de l'appareil.",
+ "ieee": "IEEE",
+ "manufacturer": "Fabricant",
+ "params_description": "Paramètres à transmettre à la commande.",
+ "issue_zigbee_cluster_command": "Émettre une commande de cluster Zigbee",
+ "group_description": "Adresse hexadécimale du groupe.",
+ "issue_zigbee_group_command": "Émettre une commande de groupe Zigbee",
+ "permit_description": "Permet aux nœuds de rejoindre le réseau Zigbee.",
+ "time_to_permit_joins": "Temps laissé à l'appairage",
+ "install_code": "Code d’installation",
+ "qr_code": "Code QR",
+ "source_ieee": "Source IEEE",
+ "permit": "Autoriser",
+ "reconfigure_device": "Reconfigurer l'appareil",
+ "remove_description": "Supprimer un nœud du réseau Zigbee.",
+ "set_lock_user_code_description": "Définit un code utilisateur sur une serrure.",
+ "code_to_set": "Code à définir.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID de l'attribut à définir.",
+ "value_description": "La valeur cible à définir.",
+ "set_zigbee_cluster_attribute": "Définir l'attribut du cluster Zigbee",
+ "level": "Niveau",
+ "strobe": "Signal lumineux",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Rapport cyclique",
+ "intensity": "Intensité",
+ "warning_device_starts_alert": "Le dispositif d'avertissement déclenche l'alerte",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3270,27 +3480,303 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Arrête la journalisation croissante des objets en mémoire.",
"stop_logging_objects": "Arrêter la journalisation des objets",
+ "set_default_level_description": "Définit le niveau de journalisation par défaut pour les intégrations.",
+ "level_description": "Niveau de gravité par défaut pour toutes les intégrations.",
+ "set_default_level": "Définir le niveau par défaut",
+ "set_level": "Définir le niveau",
+ "stops_a_running_script": "Arrête un script en cours d'exécution.",
+ "clear_skipped_update": "Effacer la mise à jour ignorée",
+ "install_update": "Installer la mise à jour",
+ "skip_description": "Marque la mise à jour actuellement disponible comme ignorée.",
+ "skip_update": "Ignorer la mise à jour",
+ "decrease_speed_description": "Diminue la vitesse d'un ventilateur.",
+ "decrease_speed": "Diminuer la vitesse",
+ "increase_speed_description": "Augmente la vitesse d'un ventilateur.",
+ "increase_speed": "Augmenter la vitesse",
+ "oscillate_description": "Contrôle l'oscillation d'un ventilateur.",
+ "turns_oscillation_on_off": "Active/désactive l'oscillation.",
+ "set_direction_description": "Définit le sens de rotation d'un ventilateur.",
+ "direction_description": "Sens de rotation du ventilateur.",
+ "set_direction": "Définir l'orientation",
+ "set_percentage_description": "Définit la vitesse d’un ventilateur.",
+ "speed_of_the_fan": "Vitesse du ventilateur.",
+ "percentage": "Pourcentage",
+ "set_speed": "Régler la vitesse",
+ "sets_preset_fan_mode": "Définit le mode de ventilateur prédéfini.",
+ "preset_fan_mode": "Mode de ventilation préréglé.",
+ "set_preset_mode": "Définir le mode préréglé",
+ "toggles_a_fan_on_off": "Active/désactive un ventilateur.",
+ "turns_fan_off": "Éteint le ventilateur.",
+ "turns_fan_on": "Allume le ventilateur.",
+ "set_datetime_description": "Définit la date et/ou l'heure.",
+ "the_target_date": "La date cible.",
+ "datetime_description": "La date et l'heure cibles.",
+ "the_target_time": "Heure cible.",
+ "log_description": "Crée une entrée personnalisée dans le journal.",
+ "entity_id_description": "Lecteurs multimédias pour lire le message.",
+ "message_description": "Corps du message de la notification.",
+ "log": "Journal",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Active une scène avec configuration.",
+ "entities_description": "Liste des entités et leur état cible.",
+ "entities_state": "État des entités",
+ "apply": "Appliquer",
+ "creates_a_new_scene": "Crée une nouvelle scène.",
+ "entity_states": "États des entités",
+ "scene_id_description": "ID d'entité de la nouvelle scène.",
+ "scene_entity_id": "ID d'entité de scène",
+ "entities_snapshot": "Instantané des entités",
+ "delete_description": "Supprime une scène créée dynamiquement.",
+ "activates_a_scene": "Active une scène.",
"reload_themes_description": "Recharge les thèmes à partir de la configuration YAML.",
"reload_themes": "Recharger les thèmes",
"name_of_a_theme": "Nom d'un thème.",
"set_the_default_theme": "Définir le thème par défaut",
+ "decrement_description": "Décrémente la valeur actuelle d'un pas.",
+ "increment_description": "Incrémente la valeur actuelle d'un pas.",
+ "reset_description": "Réinitialise un compteur à sa valeur initiale.",
+ "set_value_description": "Définit la valeur d'un nombre.",
+ "check_configuration": "Vérifier la configuration",
+ "reload_all": "Tout recharger",
+ "reload_config_entry_description": "Recharge la configuration d'entrée spécifiée.",
+ "config_entry_id": "ID de configuration d'entrée",
+ "reload_config_entry": "Recharger la configuration d'entrée",
+ "reload_core_config_description": "Recharge la configuration du \"core\" à partir de la configuration YAML.",
+ "reload_core_configuration": "Recharger la configuration du \"core\"",
+ "reload_custom_jinja_templates": "Recharger les modèles Jinja2 personnalisés",
+ "restarts_home_assistant": "Redémarre Home Assistant.",
+ "safe_mode_description": "Désactive les intégrations personnalisées et les cartes personnalisées.",
+ "save_persistent_states": "Enregistrer les états persistants",
+ "set_location_description": "Met à jour l'emplacement de Home Assistant",
+ "elevation_description": "Altitude de votre emplacement au-dessus du niveau de la mer.",
+ "latitude_of_your_location": "Latitude de votre emplacement.",
+ "longitude_of_your_location": "Longitude de votre emplacement.",
+ "set_location": "Définir l'emplacement",
+ "stops_home_assistant": "Arrêter Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Désactivation générique",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entités à mettre à jour",
+ "update_entity": "Mettre à jour l'entité",
+ "notify_description": "Envoie un message de notification aux cibles sélectionnées.",
+ "data": "Données",
+ "title_for_your_notification": "Titre de votre notification.",
+ "title_of_the_notification": "Titre de la notification.",
+ "send_a_persistent_notification": "Envoyer une notification persistante",
+ "sends_a_notification_message": "Envoie un message de notification.",
+ "your_notification_message": "Votre message de notification.",
+ "title_description": "Titre facultatif de la notification.",
+ "send_a_notification_message": "Envoyer un message de notification",
+ "send_magic_packet": "Envoyer un paquet magique",
+ "topic_to_listen_to": "Sujet à écouter.",
+ "topic": "Sujet",
+ "export": "Exporter",
+ "publish_description": "Publie un message dans un sujet MQTT.",
+ "evaluate_payload": "Évaluer la charge utile",
+ "the_payload_to_publish": "La charge utile à publier.",
+ "payload": "Charge utile",
+ "payload_template": "Modèle de charge utile",
+ "qos": "QoS",
+ "retain": "Retenir",
+ "topic_to_publish_to": "Sujet sur lequel publier.",
+ "publish": "Publier",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "start_application": "Start Application",
+ "battery_description": "Niveau de batterie de l'appareil.",
+ "gps_coordinates": "Les coordonnées GPS",
+ "gps_accuracy_description": "Précision des coordonnées GPS.",
+ "hostname_of_the_device": "Nom d'hôte de l'appareil.",
+ "hostname": "Nom d'hôte",
+ "mac_description": "Adresse MAC de l'appareil.",
+ "see": "Voir",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Supprimer la commande",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Répétitions",
+ "send_command": "Envoyer la commande",
+ "sends_the_toggle_command": "Envoie la commande de basculement.",
+ "turn_on_description": "Démarre une nouvelle tâche de nettoyage.",
+ "get_weather_forecast": "Obtenez les prévisions météorologiques.",
+ "type_description": "Type de prévision : quotidienne, horaire ou biquotidienne.",
+ "forecast_type": "Type de prévision",
+ "get_forecast": "Obtenir des prévisions",
+ "get_weather_forecasts": "Renvoie les prévisions météorologiques.",
+ "get_forecasts": "Obtenir les prévisions",
+ "press_the_button_entity": "Appui sur l’entité bouton.",
+ "enable_remote_access": "Activer l'accès à distance",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Affiche une notification sur le panneau de notifications.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Supprime une notification du panneau de notifications.",
+ "notification_id_description": "ID de la notification à supprimer.",
+ "dismiss_all_description": "Supprime toutes les notifications du panneau de notifications.",
+ "locate_description": "Localise le robot aspirateur.",
+ "pauses_the_cleaning_task": "Suspend la tâche de nettoyage.",
+ "send_command_description": "Envoie une commande à l'aspirateur.",
+ "set_fan_speed": "Régler la puissance d'aspiration",
+ "start_description": "Démarre ou reprend la tâche de nettoyage.",
+ "start_pause_description": "Démarre, met en pause ou reprend la tâche de nettoyage.",
+ "stop_description": "Arrête la tâche de nettoyage en cours.",
+ "toggle_description": "Allume/éteint un lecteur multimédia.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Déplace la caméra à une vitesse spécifique.",
+ "ptz_move_speed": "Vitesse de déplacement PTZ.",
+ "ptz_move": "Déplacement PTZ",
+ "disables_the_motion_detection": "Désactive la détection de mouvement.",
+ "disable_motion_detection": "Désactiver la détection de mouvement",
+ "enables_the_motion_detection": "Active la détection de mouvement.",
+ "enable_motion_detection": "Activer la détection de mouvement",
+ "format_description": "Format de flux pris en charge par le lecteur multimédia.",
+ "format": "Format",
+ "media_player_description": "Lecteurs multimédias vers lesquels diffuser.",
+ "play_stream": "Lire le flux",
+ "filename_description": "Chemin complet vers le nom de fichier. Doit être mp4.",
+ "filename": "Nom de fichier",
+ "lookback": "Retour en arrière",
+ "snapshot_description": "Prend un instantané à partir d'une caméra.",
+ "full_path_to_filename": "Chemin complet vers le nom de fichier.",
+ "take_snapshot": "Prendre un instantané",
+ "turns_off_the_camera": "Éteint la caméra.",
+ "turns_on_the_camera": "Allume la caméra.",
+ "reload_resources_description": "Recharge les ressources du tableau de bord à partir de la configuration YAML.",
"clear_tts_cache": "Effacer le cache TTS",
"cache": "Cache",
"language_description": "Langue du texte. La langue du serveur est utilisée par défaut.",
"options_description": "Un dictionnaire contenant des options spécifiques à l'intégration.",
"say_a_tts_message": "Prononcer un message TTS",
- "media_player_entity_id_description": "Lecteurs multimédias pour lire le message.",
"media_player_entity": "Media player entity",
"speak": "Parler",
- "reload_resources_description": "Recharge les ressources du tableau de bord à partir de la configuration YAML.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Éteint la sirène.",
- "turns_the_siren_on": "Allume la sirène.",
- "toggles_the_helper_on_off": "Active/désactive l'entrée logique",
- "turns_off_the_helper": "Désactive l'entrée logique",
- "turns_on_the_helper": "Active l'entrée logique",
- "pauses_the_mowing_task": "Suspend la tâche de tonte.",
- "starts_the_mowing_task": "Démarre la tâche de tonte.",
+ "send_text_command": "Send text command",
+ "the_target_value": "La valeur cible.",
+ "removes_a_group": "Supprime un groupe.",
+ "object_id": "ID d'objet",
+ "creates_updates_a_group": "Crée/met à jour un groupe.",
+ "add_entities": "Ajouter des entités",
+ "icon_description": "Nom de l'icône du groupe.",
+ "name_of_the_group": "Nom du groupe.",
+ "remove_entities": "Supprimer des entités",
+ "locks_a_lock": "Verrouille une serrure.",
+ "code_description": "Code pour armer l'alarme",
+ "opens_a_lock": "Ouvre une serrure.",
+ "unlocks_a_lock": "Déverrouille une serrure.",
+ "announce_description": "Permet au satellite d'annoncer un message.",
+ "media_id": "ID du média",
+ "the_message_to_announce": "Le message à annoncer.",
+ "announce": "Annoncer",
+ "reloads_the_automation_configuration": "Recharge la configuration de l'automatisation.",
+ "trigger_description": "Déclenche les actions d'une automatisation.",
+ "skip_conditions": "Aucune conditions",
+ "trigger": "Déclencher",
+ "disables_an_automation": "Désactive une automatisation.",
+ "stops_currently_running_actions": "Arrête les actions en cours.",
+ "stop_actions": "Arrêter les actions",
+ "enables_an_automation": "Active une automatisation.",
+ "deletes_all_log_entries": "Supprime toutes les entrées du journal.",
+ "write_log_entry": "Écrire une entrée dans le journal.",
+ "log_level": "Niveau de journalisation.",
+ "message_to_log": "Message à enregistrer.",
+ "write": "Écrire",
+ "dashboard_path": "Chemin du tableau de bord",
+ "view_path": "Afficher le chemin",
+ "show_dashboard_view": "Afficher la vue du tableau de bord",
+ "process_description": "Lance une conversation à partir d'un texte transcrit.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Saisie de texte transcrit.",
+ "process": "Traiter",
+ "reloads_the_intent_configuration": "Recharge la configuration d’intention.",
+ "conversation_agent_to_reload": "Agent de conversation à recharger.",
+ "close_cover_tilt_description": "Incline le volet pour le fermer.",
+ "close_tilt": "Fermer l'inclinaison",
+ "opens_a_cover": "Ouvre un volet.",
+ "tilts_a_cover_open": "Incline le volet pour l'ouvrir.",
+ "open_tilt": "Ouvrir l'inclinaison",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Position cible.",
+ "set_position": "Définir la position",
+ "target_tilt_positition": "Position d'inclinaison cible.",
+ "set_tilt_position": "Régler la position d'inclinaison",
+ "stops_the_cover_movement": "Arrête le mouvement du volet.",
+ "stop_cover_tilt_description": "Arrête le mouvement d'inclinaison du volet.",
+ "stop_tilt": "Arrêter l'inclinaison",
+ "toggles_a_cover_open_closed": "Inverse un volet ouvert/fermé.",
+ "toggle_cover_tilt_description": "Inverse l'inclinaison du volet ouvert/fermé.",
+ "toggle_tilt": "Basculer l'inclinaison",
+ "turns_auxiliary_heater_on_off": "Allume/éteint le chauffage auxiliaire.",
+ "aux_heat_description": "Nouvelle valeur du chauffage auxiliaire.",
+ "turn_on_off_auxiliary_heater": "Allumer/éteindre le chauffage auxiliaire",
+ "sets_fan_operation_mode": "Définit le mode de fonctionnement de ventilation.",
+ "fan_operation_mode": "Mode de fonctionnement de ventilation.",
+ "set_fan_mode": "Définir le mode ventilation",
+ "sets_target_humidity": "Définit l'humidité cible.",
+ "set_target_humidity": "Définir l'humidité cible",
+ "sets_hvac_operation_mode": "Définit le mode de fonctionnement CVC.",
+ "hvac_operation_mode": "Mode de fonctionnement CVC.",
+ "set_hvac_mode": "Définir le mode CVC",
+ "sets_preset_mode": "Définit le mode préréglé.",
+ "set_swing_horizontal_mode_description": "Définit le mode de fonctionnement de l'oscillation horizontale.",
+ "horizontal_swing_operation_mode": "Mode de fonctionnement de l'oscillation horizontale.",
+ "set_horizontal_swing_mode": "Définir le mode d'oscillation horizontale",
+ "sets_swing_operation_mode": "Définit le mode de fonctionnement des oscillations.",
+ "swing_operation_mode": "Mode de fonctionnement oscillant.",
+ "set_swing_mode": "Définir le mode d'oscillation",
+ "sets_the_temperature_setpoint": "Définit la température de consigne.",
+ "the_max_temperature_setpoint": "La température de consigne maximale.",
+ "the_min_temperature_setpoint": "La température de consigne minimale.",
+ "the_temperature_setpoint": "La température de consigne.",
+ "set_target_temperature": "Régler la température cible",
+ "turns_climate_device_off": "Éteint l'appareil de climatisation.",
+ "turns_climate_device_on": "Allume l’appareil climatique.",
+ "apply_filter": "Appliquer le filtre",
+ "days_to_keep": "Jours à conserver",
+ "repack": "Reconditionner",
+ "purge": "Purger",
+ "domains_to_remove": "Domaines à supprimer",
+ "entity_globs_to_remove": "Entités globales à supprimer",
+ "entities_to_remove": "Entités à supprimer",
+ "purge_entities": "Purger les entités",
+ "clear_playlist_description": "Supprime tous les éléments de la liste de lecture.",
+ "clear_playlist": "Effacer la liste de lecture",
+ "selects_the_next_track": "Sélectionne la piste suivante.",
+ "pauses": "Met en pause.",
+ "starts_playing": "Démarre la lecture.",
+ "toggles_play_pause": "Bascule entre lecture/pause.",
+ "selects_the_previous_track": "Sélectionne la piste précédente.",
+ "seek": "Seek",
+ "stops_playing": "Arrête la lecture.",
+ "starts_playing_specified_media": "Lance la lecture du média spécifié.",
+ "enqueue": "Mettre en file d'attente",
+ "repeat_mode_to_set": "Mode de répétition à définir.",
+ "select_sound_mode_description": "Sélectionne un mode sonore spécifique.",
+ "select_sound_mode": "Sélectionner le mode sonore",
+ "select_source": "Sélectionner une source",
+ "shuffle_description": "Indique si le mode aléatoire est activé ou non.",
+ "unjoin": "Dissocier",
+ "turns_down_the_volume": "Baisse le volume.",
+ "turn_down_volume": "Baisser le volume",
+ "volume_mute_description": "Coupe ou réactive le son du lecteur multimédia.",
+ "is_volume_muted_description": "Définit s'il est mis en sourdine ou non.",
+ "mute_unmute_volume": "Désactiver/activer le volume",
+ "sets_the_volume_level": "Règle le niveau du volume.",
+ "set_volume": "Régler le volume",
+ "turns_up_the_volume": "Augmente le volume.",
+ "turn_up_volume": "Augmenter le volume",
"restarts_an_add_on": "Redémarre un module complémentaire.",
"the_add_on_to_restart": "Le module complémentaire à redémarrer.",
"restart_add_on": "Redémarrer un module complémentaire",
@@ -3329,40 +3815,6 @@
"restore_partial_description": "Restaure à partir d'une sauvegarde partielle.",
"restores_home_assistant": "Restaurer Home Assistant.",
"restore_from_partial_backup": "Restaurer à partir d'une sauvegarde partielle",
- "decrease_speed_description": "Diminue la vitesse d'un ventilateur.",
- "decrease_speed": "Diminuer la vitesse",
- "increase_speed_description": "Augmente la vitesse d'un ventilateur.",
- "increase_speed": "Augmenter la vitesse",
- "oscillate_description": "Contrôle l'oscillation d'un ventilateur.",
- "turns_oscillation_on_off": "Active/désactive l'oscillation.",
- "set_direction_description": "Définit le sens de rotation d'un ventilateur.",
- "direction_description": "Sens de rotation du ventilateur.",
- "set_direction": "Définir l'orientation",
- "set_percentage_description": "Définit la vitesse d’un ventilateur.",
- "speed_of_the_fan": "Vitesse du ventilateur.",
- "percentage": "Pourcentage",
- "set_speed": "Régler la vitesse",
- "sets_preset_fan_mode": "Définit le mode de ventilateur prédéfini.",
- "preset_fan_mode": "Mode de ventilation préréglé.",
- "toggles_a_fan_on_off": "Active/désactive un ventilateur.",
- "turns_fan_off": "Éteint le ventilateur.",
- "turns_fan_on": "Allume le ventilateur.",
- "get_weather_forecast": "Obtenez les prévisions météorologiques.",
- "type_description": "Type de prévision : quotidienne, horaire ou biquotidienne.",
- "forecast_type": "Type de prévision",
- "get_forecast": "Obtenir des prévisions",
- "get_weather_forecasts": "Renvoie les prévisions météorologiques.",
- "get_forecasts": "Obtenir les prévisions",
- "clear_skipped_update": "Effacer la mise à jour ignorée",
- "install_update": "Installer la mise à jour",
- "skip_description": "Marque la mise à jour actuellement disponible comme ignorée.",
- "skip_update": "Ignorer la mise à jour",
- "code_description": "Code utilisé pour déverrouiller la serrure.",
- "arm_with_custom_bypass": "Armer avec bypass personnalisé",
- "alarm_arm_vacation_description": "Règle l'alarme sur: _armé pour les vacances_.",
- "disarms_the_alarm": "Désactive l'alarme.",
- "trigger_the_alarm_manually": "Déclencher l'alarme manuellement.",
- "trigger": "Déclencher",
"selects_the_first_option": "Sélectionne la première option.",
"first": "Première",
"selects_the_last_option": "Sélectionne la dernière option.",
@@ -3370,76 +3822,16 @@
"selects_an_option": "Sélectionne une option.",
"option_to_be_selected": "Option à sélectionner.",
"selects_the_previous_option": "Sélectionne l'option précédente.",
- "disables_the_motion_detection": "Désactive la détection de mouvement.",
- "disable_motion_detection": "Désactiver la détection de mouvement",
- "enables_the_motion_detection": "Active la détection de mouvement.",
- "enable_motion_detection": "Activer la détection de mouvement",
- "format_description": "Format de flux pris en charge par le lecteur multimédia.",
- "format": "Format",
- "media_player_description": "Lecteurs multimédias vers lesquels diffuser.",
- "play_stream": "Lire le flux",
- "filename_description": "Chemin complet vers le nom de fichier. Doit être mp4.",
- "filename": "Nom de fichier",
- "lookback": "Retour en arrière",
- "snapshot_description": "Prend un instantané à partir d'une caméra.",
- "full_path_to_filename": "Chemin complet vers le nom de fichier.",
- "take_snapshot": "Prendre un instantané",
- "turns_off_the_camera": "Éteint la caméra.",
- "turns_on_the_camera": "Allume la caméra.",
- "press_the_button_entity": "Appui sur l’entité bouton.",
+ "create_event_description": "Ajoute un nouvel événement a un calendrier.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "La date à laquelle l'événement d'une journée doit commencer.",
+ "create_event": "Create event",
"get_events": "Obtenir des événements",
- "select_the_next_option": "Sélectionne l'option suivante.",
- "sets_the_options": "Définit les options.",
- "list_of_options": "Liste des options.",
- "set_options": "Définir les options",
- "close_cover_tilt_description": "Incline le volet pour le fermer.",
- "close_tilt": "Fermer l'inclinaison",
- "opens_a_cover": "Ouvre un volet.",
- "tilts_a_cover_open": "Incline le volet pour l'ouvrir.",
- "open_tilt": "Ouvrir l'inclinaison",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Position d'inclinaison cible.",
- "set_tilt_position": "Régler la position d'inclinaison",
- "stops_the_cover_movement": "Arrête le mouvement du volet.",
- "stop_cover_tilt_description": "Arrête le mouvement d'inclinaison du volet.",
- "stop_tilt": "Arrêter l'inclinaison",
- "toggles_a_cover_open_closed": "Inverse un volet ouvert/fermé.",
- "toggle_cover_tilt_description": "Inverse l'inclinaison du volet ouvert/fermé.",
- "toggle_tilt": "Basculer l'inclinaison",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Crée une entrée personnalisée dans le journal.",
- "message_description": "Corps du message de la notification.",
- "log": "Journal",
- "enter_your_text": "Saisissez votre texte.",
- "set_value": "Définir la valeur",
- "topic_to_listen_to": "Sujet à écouter.",
- "topic": "Sujet",
- "export": "Exporter",
- "publish_description": "Publie un message dans un sujet MQTT.",
- "evaluate_payload": "Évaluer la charge utile",
- "the_payload_to_publish": "La charge utile à publier.",
- "payload": "Charge utile",
- "payload_template": "Modèle de charge utile",
- "qos": "QoS",
- "retain": "Retenir",
- "topic_to_publish_to": "Sujet sur lequel publier.",
- "publish": "Publier",
- "reloads_the_automation_configuration": "Recharge la configuration de l'automatisation.",
- "trigger_description": "Déclenche les actions d'une automatisation.",
- "skip_conditions": "Aucune conditions",
- "disables_an_automation": "Désactive une automatisation.",
- "stops_currently_running_actions": "Arrête les actions en cours.",
- "stop_actions": "Arrêter les actions",
- "enables_an_automation": "Active une automatisation.",
- "enable_remote_access": "Activer l'accès à distance",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Définit le niveau de journalisation par défaut pour les intégrations.",
- "level_description": "Niveau de gravité par défaut pour toutes les intégrations.",
- "set_default_level": "Définir le niveau par défaut",
- "set_level": "Définir le niveau",
+ "closes_a_valve": "Ferme une vanne.",
+ "opens_a_valve": "Ouvre une vanne.",
+ "set_valve_position_description": "Déplace une vanne vers une position spécifique.",
+ "stops_the_valve_movement": "Arrête le mouvement de la vanne.",
+ "toggles_a_valve_open_closed": "Ferme/Ouvre une vanne ouverte/fermée.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3448,81 +3840,33 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Localise le robot aspirateur.",
- "pauses_the_cleaning_task": "Suspend la tâche de nettoyage.",
- "send_command_description": "Envoie une commande à l'aspirateur.",
- "command_description": "Command(s) to send to Google Assistant.",
- "set_fan_speed": "Régler la puissance d'aspiration",
- "start_description": "Démarre ou reprend la tâche de nettoyage.",
- "start_pause_description": "Démarre, met en pause ou reprend la tâche de nettoyage.",
- "stop_description": "Arrête la tâche de nettoyage en cours.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Active/désactive un interrupteur.",
- "turns_a_switch_off": "Éteint un interrupteur.",
- "turns_a_switch_on": "Allume un interrupteur.",
+ "add_event_description": "Adds a new calendar event.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Agit comme le titre de l'événement.",
"extract_media_url_description": "Extraire l’URL du média à partir d’un service.",
"format_query": "Requête de format",
"url_description": "URL où trouver le média.",
"media_url": "URL du média",
"get_media_url": "Obtenir l'URL du média",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Envoie un message de notification aux cibles sélectionnées.",
- "data": "Données",
- "title_for_your_notification": "Titre de votre notification.",
- "title_of_the_notification": "Titre de la notification.",
- "send_a_persistent_notification": "Envoyer une notification persistante",
- "sends_a_notification_message": "Envoie un message de notification.",
- "your_notification_message": "Votre message de notification.",
- "title_description": "Titre facultatif de la notification.",
- "send_a_notification_message": "Envoyer un message de notification",
- "process_description": "Lance une conversation à partir d'un texte transcrit.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Saisie de texte transcrit.",
- "process": "Traiter",
- "reloads_the_intent_configuration": "Recharge la configuration d’intention.",
- "conversation_agent_to_reload": "Agent de conversation à recharger.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Déplace la caméra à une vitesse spécifique.",
- "ptz_move_speed": "Vitesse de déplacement PTZ.",
- "ptz_move": "Déplacement PTZ",
- "send_magic_packet": "Envoyer un paquet magique",
- "send_text_command": "Send text command",
- "announce_description": "Permet au satellite d'annoncer un message.",
- "media_id": "ID du média",
- "the_message_to_announce": "Le message à annoncer.",
- "deletes_all_log_entries": "Supprime toutes les entrées du journal.",
- "write_log_entry": "Écrire une entrée dans le journal.",
- "log_level": "Niveau de journalisation.",
- "message_to_log": "Message à enregistrer.",
- "write": "Écrire",
- "locks_a_lock": "Verrouille une serrure.",
- "opens_a_lock": "Ouvre une serrure.",
- "unlocks_a_lock": "Déverrouille une serrure.",
- "removes_a_group": "Supprime un groupe.",
- "object_id": "ID d'objet",
- "creates_updates_a_group": "Crée/met à jour un groupe.",
- "add_entities": "Ajouter des entités",
- "icon_description": "Nom de l'icône du groupe.",
- "name_of_the_group": "Nom du groupe.",
- "remove_entities": "Supprimer des entités",
- "stops_a_running_script": "Arrête un script en cours d'exécution.",
- "create_description": "Affiche une notification sur le panneau de notifications.",
- "notification_id": "Notification ID",
- "dismiss_description": "Supprime une notification du panneau de notifications.",
- "notification_id_description": "ID de la notification à supprimer.",
- "dismiss_all_description": "Supprime toutes les notifications du panneau de notifications.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "start_application": "Start Application"
+ "select_the_next_option": "Sélectionne l'option suivante.",
+ "sets_the_options": "Définit les options.",
+ "list_of_options": "Liste des options.",
+ "set_options": "Définir les options",
+ "arm_with_custom_bypass": "Armer avec bypass personnalisé",
+ "alarm_arm_vacation_description": "Règle l'alarme sur: _armé pour les vacances_.",
+ "disarms_the_alarm": "Désactive l'alarme.",
+ "trigger_the_alarm_manually": "Déclencher l'alarme manuellement.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Termine un minuteur en cours d'exécution plus tôt que prévu.",
+ "duration_description": "Durée personnalisée pour redémarrer le minuteur.",
+ "toggles_a_switch_on_off": "Active/désactive un interrupteur.",
+ "turns_a_switch_off": "Éteint un interrupteur.",
+ "turns_a_switch_on": "Allume un interrupteur."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/fy/fy.json b/packages/core/src/hooks/useLocale/locales/fy/fy.json
index 47e05000..b27a790f 100644
--- a/packages/core/src/hooks/useLocale/locales/fy/fy.json
+++ b/packages/core/src/hooks/useLocale/locales/fy/fy.json
@@ -242,7 +242,7 @@
"selector_options": "Selector opsjes",
"action": "Action",
"area": "Area",
- "attribute": "Kenmerk",
+ "attribute": "Attribute",
"boolean": "Boolean",
"condition": "Kondysje",
"date": "Date",
@@ -750,7 +750,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Foar it updaten in backup meitsje",
"update_instructions": "Update ynstruksjes",
"current_activity": "Hjoeddeistige aktiviteit",
- "status": "Status",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Stofsûger opdrachten:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -869,7 +869,7 @@
"restart_home_assistant": "Home Assistant op 'en nij starte?",
"advanced_options": "Advanced options",
"quick_reload": "Werlade",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Konfiguraasje werlade",
"failed_to_reload_configuration": "Kin de konfiguraasje net opnij lade",
"restart_description": "Underbrekt alle rinnende automatisearringen en skripts.",
@@ -901,8 +901,8 @@
"password": "Password",
"regex_pattern": "Regex patroan",
"used_for_client_side_validation": "Brûkt foar client-side falidaasje",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Ynfierfjild",
"slider": "Slider",
"step_size": "Stapgrutte",
@@ -948,7 +948,7 @@
"ui_dialogs_zha_device_info_confirmations_remove": "Bist der wis fan datst it apparaat ferwiderje wolst?",
"quirk": "Eigenaardichheid",
"last_seen": "Lêst sjoen",
- "power_source": "Stroomboarne",
+ "power_source": "Power source",
"change_device_name": "Feroarje apparaatnamme",
"device_debug_info": "{device}-flaterspoaringsgegevens",
"mqtt_device_debug_info_deserialize": "Besykje MQTT-berjochten as JSON te lêzen",
@@ -1219,7 +1219,7 @@
"ui_panel_lovelace_editor_edit_view_tab_badges": "Badges",
"card_configuration": "Kaartkonfiguraasje",
"type_card_configuration": "{type} Kaartkonfiguraasje",
- "edit_card_pick_card": "Hokker kaart wolst taheakje?",
+ "edit_card_pick_card": "Which card would you like to add?",
"toggle_editor": "Toggle editor",
"you_have_unsaved_changes": "You have unsaved changes",
"edit_card_confirm_cancel": "Bist der wis fan datst ôfbrekke wolst?",
@@ -1427,6 +1427,7 @@
"ui_panel_lovelace_editor_card_tile_actions": "Aksjes",
"ui_panel_lovelace_editor_card_tile_default_color": "Standertkleur (steat)",
"ui_panel_lovelace_editor_card_tile_state_content_options_last_changed": "Lêst wizige",
+ "ui_panel_lovelace_editor_card_tile_state_content_options_state": "Status",
"vertical_stack": "Fertikale stapel",
"weather_forecast": "Waarsferwachting",
"weather_to_show": "Waar om sjen te litten",
@@ -1544,141 +1545,120 @@
"now": "Now",
"compare_data": "Gegevens fergelykje",
"reload_ui": "Werlaad Lovelace",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Lokale kalinder",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
+ "scene": "Scene",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climate",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Lokale kalinder",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climate",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1707,6 +1687,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1732,31 +1713,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Next dawn",
- "next_dusk": "Next dusk",
- "next_midnight": "Next midnight",
- "next_noon": "Next noon",
- "next_rising": "Next rising",
- "next_setting": "Next setting",
- "solar_azimuth": "Solar azimuth",
- "solar_elevation": "Solar elevation",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1778,34 +1744,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Plugged in",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1879,6 +1887,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1929,7 +1938,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1946,6 +1954,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Next dawn",
+ "next_dusk": "Next dusk",
+ "next_midnight": "Next midnight",
+ "next_noon": "Next noon",
+ "next_rising": "Next rising",
+ "next_setting": "Next setting",
+ "solar_azimuth": "Solar azimuth",
+ "solar_elevation": "Solar elevation",
+ "solar_rising": "Solar rising",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1965,73 +2016,251 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Plugged in",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Paused",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -2064,84 +2293,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Current humidity",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Current action",
- "cooling": "Cooling",
- "defrosting": "Defrosting",
- "drying": "Drying",
- "heating": "Heating",
- "preheating": "Preheating",
- "max_target_humidity": "Max doelfochtichheid",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min doelfochtichheid",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Both",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Not charging",
- "disconnected": "Disconnected",
- "connected": "Connected",
- "hot": "Hot",
- "no_light": "No light",
- "light_detected": "Light detected",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "Not moving",
- "unplugged": "Unplugged",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Above horizon",
- "below_horizon": "Below horizon",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2157,13 +2314,36 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "available_tones": "Available tones",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Clear, night",
"cloudy": "Cloudy",
"exceptional": "Exceptional",
@@ -2186,26 +2366,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "disarming": "Disarming",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2214,65 +2377,112 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locked": "Locked",
+ "locking": "Locking",
+ "unlocked": "Unlocked",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Current humidity",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Current action",
+ "cooling": "Cooling",
+ "defrosting": "Defrosting",
+ "drying": "Drying",
+ "heating": "Heating",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max doelfochtichheid",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min doelfochtichheid",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Both",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Not charging",
+ "disconnected": "Disconnected",
+ "connected": "Connected",
+ "hot": "Hot",
+ "no_light": "No light",
+ "light_detected": "Light detected",
+ "not_moving": "Not moving",
+ "unplugged": "Unplugged",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Above horizon",
+ "below_horizon": "Below horizon",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Disarming",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2283,27 +2493,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2311,68 +2523,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2399,48 +2570,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Bridge is already configured",
- "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Couldn't get an API key",
- "link_with_deconz": "Link with deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2448,128 +2618,161 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "Bridge is already configured",
+ "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Couldn't get an API key",
+ "link_with_deconz": "Link with deCONZ",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Enable birth message",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Enable will message",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
"samsungtv_smart_options": "SamsungTV Smart options",
"data_use_st_status_info": "Use SmartThings TV Status information",
"data_use_st_channel_info": "Use SmartThings TV Channels information",
@@ -2597,28 +2800,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Enable birth message",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Enable will message",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2626,26 +2807,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2740,14 +3006,81 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
+ "increase_entity_name_brightness": "Increase {entity_name} brightness",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "First button",
+ "second_button": "Second button",
+ "third_button": "Third button",
+ "fourth_button": "Fourth button",
+ "fifth_button": "Fifth button",
+ "sixth_button": "Sixth button",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} is home",
+ "entity_name_is_not_home": "{entity_name} is not home",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} is cleaning",
+ "entity_name_is_docked": "{entity_name} is docked",
+ "entity_name_started_cleaning": "{entity_name} started cleaning",
+ "entity_name_docked": "{entity_name} docked",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} is locked",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is unlocked",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opened",
+ "entity_name_unlocked": "{entity_name} unlocked",
"action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
"change_preset_on_entity_name": "Change preset on {entity_name}",
"hvac_mode": "HVAC mode",
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Close {entity_name} tilt",
+ "open_entity_name_tilt": "Open {entity_name} tilt",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Set {entity_name} tilt position",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} is closed",
+ "entity_name_is_closing": "{entity_name} is closing",
+ "entity_name_is_opening": "{entity_name} is opening",
+ "current_entity_name_position_is": "Current {entity_name} position is",
+ "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
+ "entity_name_closed": "{entity_name} closed",
+ "entity_name_closing": "{entity_name} closing",
+ "entity_name_opening": "{entity_name} opening",
+ "entity_name_position_changes": "{entity_name} position changes",
+ "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
"entity_name_battery_is_low": "{entity_name} battery is low",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2756,7 +3089,6 @@
"entity_name_is_detecting_gas": "{entity_name} is detecting gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} is detecting light",
- "entity_name_is_locked": "{entity_name} is locked",
"entity_name_is_moist": "{entity_name} is moist",
"entity_name_is_detecting_motion": "{entity_name} is detecting motion",
"entity_name_is_moving": "{entity_name} is moving",
@@ -2774,11 +3106,9 @@
"entity_name_is_not_cold": "{entity_name} is not cold",
"entity_name_is_disconnected": "{entity_name} is disconnected",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} is unlocked",
"entity_name_is_dry": "{entity_name} is dry",
"entity_name_is_not_moving": "{entity_name} is not moving",
"entity_name_is_not_occupied": "{entity_name} is not occupied",
- "entity_name_is_closed": "{entity_name} is closed",
"entity_name_is_unplugged": "{entity_name} is unplugged",
"entity_name_is_not_powered": "{entity_name} is not powered",
"entity_name_is_not_present": "{entity_name} is not present",
@@ -2786,7 +3116,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} is occupied",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is plugged in",
"entity_name_is_powered": "{entity_name} is powered",
"entity_name_is_present": "{entity_name} is present",
@@ -2806,7 +3135,6 @@
"entity_name_started_detecting_gas": "{entity_name} started detecting gas",
"entity_name_became_hot": "{entity_name} became hot",
"entity_name_started_detecting_light": "{entity_name} started detecting light",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} started detecting motion",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2817,18 +3145,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} became not hot",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} closed",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
@@ -2836,7 +3161,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} plugged in",
"entity_name_powered": "{entity_name} powered",
"entity_name_present": "{entity_name} present",
@@ -2844,46 +3168,16 @@
"entity_name_started_running": "{entity_name} started running",
"entity_name_started_detecting_smoke": "{entity_name} started detecting smoke",
"entity_name_started_detecting_sound": "{entity_name} started detecting sound",
- "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
- "entity_name_became_unsafe": "{entity_name} became unsafe",
- "trigger_type_update": "{entity_name} got an update available",
- "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
- "entity_name_is_buffering": "{entity_name} is buffering",
- "entity_name_is_idle": "{entity_name} is idle",
- "entity_name_is_paused": "{entity_name} is paused",
- "entity_name_is_playing": "{entity_name} is playing",
- "entity_name_starts_buffering": "{entity_name} starts buffering",
- "entity_name_becomes_idle": "{entity_name} becomes idle",
- "entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} is home",
- "entity_name_is_not_home": "{entity_name} is not home",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
- "increase_entity_name_brightness": "Increase {entity_name} brightness",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Disarm {entity_name}",
- "trigger_entity_name": "Trigger {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} is disarmed",
- "entity_name_is_triggered": "{entity_name} is triggered",
- "entity_name_armed_away": "{entity_name} armed away",
- "entity_name_armed_home": "{entity_name} armed home",
- "entity_name_armed_night": "{entity_name} armed night",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} disarmed",
- "entity_name_triggered": "{entity_name} triggered",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
+ "entity_name_became_unsafe": "{entity_name} became unsafe",
+ "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
+ "entity_name_is_buffering": "{entity_name} is buffering",
+ "entity_name_is_idle": "{entity_name} is idle",
+ "entity_name_is_paused": "{entity_name} is paused",
+ "entity_name_is_playing": "{entity_name} is playing",
+ "entity_name_starts_buffering": "{entity_name} starts buffering",
+ "entity_name_becomes_idle": "{entity_name} becomes idle",
+ "entity_name_starts_playing": "{entity_name} starts playing",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2893,35 +3187,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Close {entity_name} tilt",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Open {entity_name} tilt",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Set {entity_name} tilt position",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} is closing",
- "entity_name_is_opening": "{entity_name} is opening",
- "current_entity_name_position_is": "Current {entity_name} position is",
- "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
- "entity_name_closing": "{entity_name} closing",
- "entity_name_opening": "{entity_name} opening",
- "entity_name_position_changes": "{entity_name} position changes",
- "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Both buttons",
"bottom_buttons": "Bottom buttons",
"seventh_button": "Seventh button",
@@ -2946,13 +3211,6 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} is cleaning",
- "entity_name_is_docked": "{entity_name} is docked",
- "entity_name_started_cleaning": "{entity_name} started cleaning",
- "entity_name_docked": "{entity_name} docked",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2963,29 +3221,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Disarm {entity_name}",
+ "trigger_entity_name": "Trigger {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} is disarmed",
+ "entity_name_is_triggered": "{entity_name} is triggered",
+ "entity_name_armed_away": "{entity_name} armed away",
+ "entity_name_armed_home": "{entity_name} armed home",
+ "entity_name_armed_night": "{entity_name} armed night",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} disarmed",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "Device dropped",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Device tilted",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3116,52 +3399,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3178,6 +3431,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3188,102 +3442,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3296,25 +3459,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3340,27 +3548,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3399,40 +3888,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3440,77 +3895,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3519,83 +3913,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/ga/ga.json b/packages/core/src/hooks/useLocale/locales/ga/ga.json
index 144cac06..954b5161 100644
--- a/packages/core/src/hooks/useLocale/locales/ga/ga.json
+++ b/packages/core/src/hooks/useLocale/locales/ga/ga.json
@@ -86,7 +86,7 @@
"reverse": "Reverse",
"medium": "Medium",
"target_humidity": "Target humidity.",
- "state": "Stáit",
+ "state": "State",
"name_target_humidity": "taise sprice {name}",
"name_current_humidity": "{name} taise reatha",
"name_humidifying": "{name} ag cur taise",
@@ -244,7 +244,7 @@
"selector_options": "Roghanna Roghnóra",
"action": "Gníomh",
"area": "Area",
- "attribute": "Tréith",
+ "attribute": "Attribute",
"boolean": "Boole",
"condition": "Coinníoll",
"date": "Date",
@@ -266,6 +266,7 @@
"learn_more_about_templating": "Foghlaim tuilleadh faoi theimpléadú.",
"show_password": "Taispeáin pasfhocal",
"hide_password": "Folaigh pasfhocal",
+ "ui_components_selectors_background_yaml_info": "Socraítear íomhá chúlra trí eagarthóir yaml.",
"no_logbook_events_found": "Níor aimsíodh aon imeachtaí logleabhar.",
"triggered_by": "arna spreagadh ag",
"triggered_by_automation": "spreagtha ag uathoibriú",
@@ -757,7 +758,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Cruthaigh cúltaca roimh nuashonrú",
"update_instructions": "Nuashonraigh treoracha",
"current_activity": "Gníomhaíocht reatha",
- "status": "Stádas",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Orduithe folúisghlantóra:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -876,7 +877,7 @@
"restart_home_assistant": "Atosaigh Cúntóir Baile?",
"advanced_options": "Advanced options",
"quick_reload": "Athlódáil tapa",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Cumraíocht á athlódáil",
"failed_to_reload_configuration": "Theip ar chumraíocht a athlódáil",
"restart_description": "Cuireann sé isteach ar gach uathoibriú agus script reatha.",
@@ -906,8 +907,8 @@
"password": "Password",
"regex_pattern": "Patrún regex",
"used_for_client_side_validation": "Úsáidtear é le haghaidh bailíochtú ar thaobh an chliaint",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Réimse ionchuir",
"slider": "Slider",
"step_size": "Méid chéim",
@@ -952,7 +953,7 @@
"ui_dialogs_zha_device_info_confirmations_remove": "An bhfuil tú cinnte gur mian leat an gléas a bhaint?",
"quirk": "Cor aisteach",
"last_seen": "Le feiceáil go deireanach",
- "power_source": "Foinse cumhachta",
+ "power_source": "Power source",
"change_device_name": "Athraigh ainm an ghléis",
"device_debug_info": "{device} faisnéis dífhabhtaithe",
"mqtt_device_debug_info_deserialize": "Déan iarracht teachtaireachtaí MQTT a pharsáil mar JSON",
@@ -1057,7 +1058,7 @@
"sidebar_toggle": "Scoránaigh barra taoibh",
"hide_panel": "Folaigh painéal",
"show_panel": "Taispeáin painéal",
- "preparing_home_assistant": "Ag ullmhú Home Assistant ",
+ "preparing_home_assistant": "Ag ullmhú Home Assistant",
"landing_page_subheader": "Féadfaidh sé seo 20 nóiméad nó níos mó a ghlacadh",
"networking_issue_detected": "Braitheadh fadhb líonraithe",
"cannot_get_network_information": "Ní féidir faisnéis líonra a fháil",
@@ -1210,7 +1211,7 @@
"convert": "Tiontaigh",
"convert_view_layout": "Tiontaigh leagan amach amharc",
"edit_view_card_to_section_convert": "Tiontaigh d'amharc go hamharc rannóige.",
- "sections_default": "Sections (default)",
+ "sections_default": "Rannóga (réamhshocraithe)",
"masonry": "Saoirseacht",
"sidebar": "Barra Taoibh",
"panel_single_card": "Panel (single card)",
@@ -1227,7 +1228,7 @@
"ui_panel_lovelace_editor_edit_view_type_helper_sections": "Ní féidir leat d'amharc a athrú chun an cineál amhairc 'rannóga' a úsáid toisc nach dtacaítear leis an aistriú go fóill. Tosaigh ón tús le radharc nua más mian leat triail a bhaint as an radharc 'rannóga'.",
"card_configuration": "Cumraíocht cártaí",
"type_card_configuration": "{type} Cumraíocht chárta",
- "edit_card_pick_card": "Cén cárta ar mhaith leat a chur leis?",
+ "edit_card_pick_card": "Which card would you like to add?",
"toggle_editor": "Scoránaigh eagarthóir",
"you_have_unsaved_changes": "Tá athruithe gan sábháil agat",
"edit_card_confirm_cancel": "An bhfuil tú cinnte gur mhaith leat cealú?",
@@ -1433,6 +1434,13 @@
"graph_type": "Cineál graf",
"to_do_list": "Liosta le déanamh",
"hide_completed_items": "Folaigh míreanna críochnaithe",
+ "ui_panel_lovelace_editor_card_todo_list_display_order": "Ordú Taispeána",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc": "Aibítre (AZ)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_desc": "Aibítre (Z-A)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc": "Dáta Dlite (Is luaithe ar dtús)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc": "Dáta Dlite (Is Déanaí ar dtús)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_manual": "De láimhe",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_none": "Réamhshocrú",
"thermostat": "Thermostat",
"thermostat_show_current_as_primary": "Taispeáin teocht reatha mar phríomheolas",
"tile": "Tíl",
@@ -1442,6 +1450,7 @@
"hide_state": "Folaigh stáit",
"ui_panel_lovelace_editor_card_tile_actions": "Gníomhartha",
"ui_panel_lovelace_editor_card_tile_state_content_options_last_updated": "Nuashonraithe is déanaí",
+ "ui_panel_lovelace_editor_card_tile_state_content_options_state": "Stáit",
"vertical_stack": "Stack ingearach",
"weather_forecast": "Réamhaisnéis na haimsire",
"weather_to_show": "Aimsir le taispeáint",
@@ -1559,141 +1568,120 @@
"now": "Anois",
"compare_data": "Déan comparáid idir sonraí",
"reload_ui": "Athlódáil Chomhéadain",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
+ "home_assistant_api": "Home Assistant API",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
"tag": "Tags",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
- "home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
- "weather": "Weather",
- "camera": "Camera",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climate",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climate",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1722,6 +1710,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1747,31 +1736,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Next dawn",
- "next_dusk": "Next dusk",
- "next_midnight": "Next midnight",
- "next_noon": "Next noon",
- "next_rising": "Next rising",
- "next_setting": "Next setting",
- "solar_azimuth": "Solar azimuth",
- "solar_elevation": "Solar elevation",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1793,34 +1767,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Plugged in",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1894,6 +1910,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1944,7 +1961,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1961,6 +1977,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Next dawn",
+ "next_dusk": "Next dusk",
+ "next_midnight": "Next midnight",
+ "next_noon": "Next noon",
+ "next_rising": "Next rising",
+ "next_setting": "Next setting",
+ "solar_azimuth": "Solar azimuth",
+ "solar_elevation": "Solar elevation",
+ "solar_rising": "Solar rising",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1980,73 +2039,251 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Plugged in",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Paused",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -2079,84 +2316,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Current humidity",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Current action",
- "cooling": "Cooling",
- "defrosting": "Defrosting",
- "drying": "Drying",
- "heating": "Heating",
- "preheating": "Preheating",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Both",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Not charging",
- "disconnected": "Disconnected",
- "connected": "Connected",
- "hot": "Hot",
- "no_light": "No light",
- "light_detected": "Light detected",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "Not moving",
- "unplugged": "Unplugged",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Above horizon",
- "below_horizon": "Below horizon",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2172,13 +2337,36 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "available_tones": "Available tones",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Clear, night",
"cloudy": "Cloudy",
"exceptional": "Exceptional",
@@ -2201,26 +2389,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "disarming": "Disarming",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2229,65 +2400,112 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locked": "Locked",
+ "locking": "Locking",
+ "unlocked": "Unlocked",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Current humidity",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Current action",
+ "cooling": "Cooling",
+ "defrosting": "Defrosting",
+ "drying": "Drying",
+ "heating": "Heating",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Both",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Not charging",
+ "disconnected": "Disconnected",
+ "connected": "Connected",
+ "hot": "Hot",
+ "no_light": "No light",
+ "light_detected": "Light detected",
+ "not_moving": "Not moving",
+ "unplugged": "Unplugged",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Above horizon",
+ "below_horizon": "Below horizon",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Disarming",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2298,27 +2516,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2326,68 +2546,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2414,48 +2593,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Bridge is already configured",
- "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Couldn't get an API key",
- "link_with_deconz": "Link with deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2463,128 +2641,161 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "Bridge is already configured",
+ "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Couldn't get an API key",
+ "link_with_deconz": "Link with deCONZ",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Enable birth message",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Enable will message",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
"samsungtv_smart_options": "SamsungTV Smart options",
"data_use_st_status_info": "Use SmartThings TV Status information",
"data_use_st_channel_info": "Use SmartThings TV Channels information",
@@ -2612,28 +2823,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Enable birth message",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Enable will message",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2641,26 +2830,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2755,6 +3029,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
+ "increase_entity_name_brightness": "Increase {entity_name} brightness",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "First button",
+ "second_button": "Second button",
+ "third_button": "Third button",
+ "fourth_button": "Fourth button",
+ "fifth_button": "Fifth button",
+ "sixth_button": "Sixth button",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} is home",
+ "entity_name_is_not_home": "{entity_name} is not home",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} is cleaning",
+ "entity_name_is_docked": "{entity_name} is docked",
+ "entity_name_started_cleaning": "{entity_name} started cleaning",
+ "entity_name_docked": "{entity_name} docked",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} is locked",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is unlocked",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opened",
+ "entity_name_unlocked": "{entity_name} unlocked",
"action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
"change_preset_on_entity_name": "Change preset on {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2762,8 +3089,22 @@
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Close {entity_name} tilt",
+ "open_entity_name_tilt": "Open {entity_name} tilt",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Set {entity_name} tilt position",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} is closed",
+ "entity_name_is_closing": "{entity_name} is closing",
+ "entity_name_is_opening": "{entity_name} is opening",
+ "current_entity_name_position_is": "Current {entity_name} position is",
+ "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
+ "entity_name_closed": "{entity_name} closed",
+ "entity_name_closing": "{entity_name} closing",
+ "entity_name_opening": "{entity_name} opening",
+ "entity_name_position_changes": "{entity_name} position changes",
+ "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
"entity_name_battery_is_low": "{entity_name} battery is low",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2772,7 +3113,6 @@
"entity_name_is_detecting_gas": "{entity_name} is detecting gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} is detecting light",
- "entity_name_is_locked": "{entity_name} is locked",
"entity_name_is_moist": "{entity_name} is moist",
"entity_name_is_detecting_motion": "{entity_name} is detecting motion",
"entity_name_is_moving": "{entity_name} is moving",
@@ -2790,11 +3130,9 @@
"entity_name_is_not_cold": "{entity_name} is not cold",
"entity_name_is_disconnected": "{entity_name} is disconnected",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} is unlocked",
"entity_name_is_dry": "{entity_name} is dry",
"entity_name_is_not_moving": "{entity_name} is not moving",
"entity_name_is_not_occupied": "{entity_name} is not occupied",
- "entity_name_is_closed": "{entity_name} is closed",
"entity_name_is_unplugged": "{entity_name} is unplugged",
"entity_name_is_not_powered": "{entity_name} is not powered",
"entity_name_is_not_present": "{entity_name} is not present",
@@ -2802,7 +3140,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} is occupied",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is plugged in",
"entity_name_is_powered": "{entity_name} is powered",
"entity_name_is_present": "{entity_name} is present",
@@ -2822,7 +3159,6 @@
"entity_name_started_detecting_gas": "{entity_name} started detecting gas",
"entity_name_became_hot": "{entity_name} became hot",
"entity_name_started_detecting_light": "{entity_name} started detecting light",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} started detecting motion",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2833,18 +3169,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} became not hot",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} closed",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
@@ -2852,7 +3185,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} plugged in",
"entity_name_powered": "{entity_name} powered",
"entity_name_present": "{entity_name} present",
@@ -2860,46 +3192,16 @@
"entity_name_started_running": "{entity_name} started running",
"entity_name_started_detecting_smoke": "{entity_name} started detecting smoke",
"entity_name_started_detecting_sound": "{entity_name} started detecting sound",
- "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
- "entity_name_became_unsafe": "{entity_name} became unsafe",
- "trigger_type_update": "{entity_name} got an update available",
- "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
- "entity_name_is_buffering": "{entity_name} is buffering",
- "entity_name_is_idle": "{entity_name} is idle",
- "entity_name_is_paused": "{entity_name} is paused",
- "entity_name_is_playing": "{entity_name} is playing",
- "entity_name_starts_buffering": "{entity_name} starts buffering",
- "entity_name_becomes_idle": "{entity_name} becomes idle",
- "entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} is home",
- "entity_name_is_not_home": "{entity_name} is not home",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
- "increase_entity_name_brightness": "Increase {entity_name} brightness",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Disarm {entity_name}",
- "trigger_entity_name": "Trigger {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} is disarmed",
- "entity_name_is_triggered": "{entity_name} is triggered",
- "entity_name_armed_away": "{entity_name} armed away",
- "entity_name_armed_home": "{entity_name} armed home",
- "entity_name_armed_night": "{entity_name} armed night",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} disarmed",
- "entity_name_triggered": "{entity_name} triggered",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
+ "entity_name_became_unsafe": "{entity_name} became unsafe",
+ "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
+ "entity_name_is_buffering": "{entity_name} is buffering",
+ "entity_name_is_idle": "{entity_name} is idle",
+ "entity_name_is_paused": "{entity_name} is paused",
+ "entity_name_is_playing": "{entity_name} is playing",
+ "entity_name_starts_buffering": "{entity_name} starts buffering",
+ "entity_name_becomes_idle": "{entity_name} becomes idle",
+ "entity_name_starts_playing": "{entity_name} starts playing",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2909,35 +3211,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Close {entity_name} tilt",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Open {entity_name} tilt",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Set {entity_name} tilt position",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} is closing",
- "entity_name_is_opening": "{entity_name} is opening",
- "current_entity_name_position_is": "Current {entity_name} position is",
- "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
- "entity_name_closing": "{entity_name} closing",
- "entity_name_opening": "{entity_name} opening",
- "entity_name_position_changes": "{entity_name} position changes",
- "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Both buttons",
"bottom_buttons": "Bottom buttons",
"seventh_button": "Seventh button",
@@ -2962,13 +3235,6 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} is cleaning",
- "entity_name_is_docked": "{entity_name} is docked",
- "entity_name_started_cleaning": "{entity_name} started cleaning",
- "entity_name_docked": "{entity_name} docked",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2979,29 +3245,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Disarm {entity_name}",
+ "trigger_entity_name": "Trigger {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} is disarmed",
+ "entity_name_is_triggered": "{entity_name} is triggered",
+ "entity_name_armed_away": "{entity_name} armed away",
+ "entity_name_armed_home": "{entity_name} armed home",
+ "entity_name_armed_night": "{entity_name} armed night",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} disarmed",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "Device dropped",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Device tilted",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3132,52 +3423,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3194,6 +3455,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3204,102 +3466,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3312,25 +3483,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3356,27 +3572,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3415,40 +3912,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3456,77 +3919,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3535,83 +3937,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/gl/gl.json b/packages/core/src/hooks/useLocale/locales/gl/gl.json
index ca0dff13..155620a1 100644
--- a/packages/core/src/hooks/useLocale/locales/gl/gl.json
+++ b/packages/core/src/hooks/useLocale/locales/gl/gl.json
@@ -35,7 +35,7 @@
"upload_backup": "Subir copia de seguridade",
"turn_on": "Turn on",
"turn_off": "Turn off",
- "toggle": "Alternar",
+ "toggle": "Toggle",
"code": "Code",
"clear": "Clear",
"arm": "Armar",
@@ -78,7 +78,7 @@
"open_cover_tilt": "Abrir inclinación da persiana",
"close_cover_tilt": "Pechar cuberta inclinada",
"stop_cover": "Parar persiana",
- "preset_mode": "Modo preset",
+ "preset_mode": "Preset mode",
"oscillate": "Oscillate",
"direction": "Direction",
"forward": "Forward",
@@ -243,7 +243,7 @@
"selector_options": "Opcións do Selector",
"action": "Acción",
"area": "Area",
- "attribute": "Atributo",
+ "attribute": "Attribute",
"boolean": "Booleano",
"condition": "Condición",
"date": "Date",
@@ -652,7 +652,7 @@
"line_line_column_column": "line: {line}, column: {column}",
"last_changed": "Última modificación",
"last_updated": "Last updated",
- "remaining_time": "Tempo restante",
+ "time_left": "Tempo restante",
"install_status": "Estado da instalación",
"safe_mode": "Modo seguro",
"all_yaml_configuration": "Toda a configuración de YAML",
@@ -690,7 +690,7 @@
"themes": "Temas",
"action_server": "{action} servidor",
"reboot": "Reiniciar",
- "reload": "Recargar",
+ "reload": "Reload",
"navigate": "Navegar",
"server": "Servidor",
"logs": "Rexistros",
@@ -758,6 +758,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Fai unha copia de seguridade antes de facer a actualización",
"update_instructions": "Instrucións de actualización",
"current_activity": "Actividade actual",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Comandos do aspirador:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -792,7 +793,7 @@
"default_code": "Código predeterminado",
"editor_default_code_error": "O código non coincide co formato",
"entity_id": "ID da entidade",
- "unit_of_measurement": "Unidade de Medición",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "Precipitation unit",
"display_precision": "Mostrar precisión",
"default_value": "Por defecto ({value})",
@@ -813,7 +814,7 @@
"cold": "Cold",
"connectivity": "Connectivity",
"gas": "Gas",
- "heat": "Calor",
+ "heat": "Calefacción",
"light": "Light",
"moisture": "Moisture",
"motion": "Movemento",
@@ -876,7 +877,7 @@
"restart_home_assistant": "Reiniciar Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Recarga rápida",
- "reload_description": "Recarga todos os scripts dispoñibles.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Recargando a configuración",
"failed_to_reload_configuration": "Produciuse un erro ao recargar a configuración",
"restart_description": "Interrompe todas as automatizacións e scripts en execución.",
@@ -906,8 +907,8 @@
"password": "Password",
"regex_pattern": "Patrón de Expresión regular (Regex)",
"used_for_client_side_validation": "Empregado para a validación na parte do cliente",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Campo de entrada",
"slider": "Slider",
"step_size": "Tamaño do paso",
@@ -953,7 +954,7 @@
"ui_dialogs_zha_device_info_confirmations_remove": "Estás seguro de que queres eliminar o dispositivo?",
"quirk": "Peculiaridade",
"last_seen": "Última visualización",
- "power_source": "Fonte de enerxía",
+ "power_source": "Power source",
"change_device_name": "Cambiar o nome do dispositivo",
"device_debug_info": "información de depuración de {device}",
"mqtt_device_debug_info_deserialize": "Tentar analizar as mensaxes MQTT como JSON",
@@ -1232,7 +1233,7 @@
"ui_panel_lovelace_editor_edit_view_type_warning_sections": "Non podes cambiar a túa vista para usar o tipo de vista 'seccións' porque a migración aínda non é compatible. Comeza desde cero cunha nova vista se queres experimentar coa vista de \"seccións\".",
"card_configuration": "Configuración da tarxeta",
"type_card_configuration": "Configuración da tarxeta {type}",
- "edit_card_pick_card": "Que tarxeta lle gustaría engadir?",
+ "edit_card_pick_card": "Which card would you like to add?",
"toggle_editor": "Alternar o editor",
"you_have_unsaved_changes": "Tes cambios sen gardar",
"edit_card_confirm_cancel": "Estás seguro de que queres cancelar?",
@@ -1560,149 +1561,128 @@
"now": "Agora",
"compare_data": "Comparar datos",
"reload_ui": "Recargar UI",
- "tag": "Tags",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Calendario Local",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "tag": "Tags",
+ "media_source": "Media Source",
+ "mobile_app": "Aplicación Móbil",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Persoa",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
+ "scene": "Scene",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climate",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Calendario Local",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climate",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Aplicación Móbil",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Persoa",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
"closed": "Closed",
"overheated": "Sobrequecemento",
"temperature_warning": "Temperature warning",
- "update_available": "Actualización dispoñible",
+ "update_available": "Update available",
"dry": "Dry",
"wet": "Mollado",
"pan_left": "Pan left",
@@ -1724,6 +1704,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Consumo total",
@@ -1741,7 +1722,7 @@
"auto_off_enabled": "Auto off enabled",
"auto_update_enabled": "Auto update enabled",
"baby_cry_detection": "Baby cry detection",
- "child_lock": "Child lock",
+ "child_lock": "Bloqueo para nenos",
"fan_sleep_mode": "Fan sleep mode",
"led": "LED",
"motion_detection": "Detección de movemento",
@@ -1749,30 +1730,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Próximo amencer",
- "next_dusk": "Próximo anoitecer",
- "next_midnight": "Próxima medianoite",
- "next_noon": "Próximo mediodía",
- "next_rising": "Próximo abrente",
- "next_setting": "Próxima atardecida",
- "solar_azimuth": "Acimut solar",
- "solar_elevation": "Altitude solar",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Ruído",
- "overload": "Sobrecarga",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Consumo de enerxía DE calefacción",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentáneo",
+ "pull_retract": "Tirar/Retraer",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1794,34 +1761,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Ruído",
+ "overload": "Sobrecarga",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Distancia estimada",
- "vendor": "Vendedor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Ganancia automática",
- "mic_volume": "Mic volume",
- "noise_suppression_level": "Nivel de eliminación de ruído",
- "off": "Off",
- "mute": "Silenciar",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
+ "mic_volume": "Volume do micrófono",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Último movemento",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Consumo de enerxía DE calefacción",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Enchufado",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Captura de pantalla",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1895,6 +1904,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1945,7 +1955,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1962,6 +1971,48 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Detección de fala rematada",
+ "aggressive": "Agresivo",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Ganancia automática",
+ "noise_suppression_level": "Nivel de eliminación de ruído",
+ "mute": "Silenciar",
+ "bytes_received": "Bytes recibidos",
+ "server_country": "País do servidor",
+ "server_id": "ID do servidor",
+ "server_name": "Nome do servidor",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes enviados",
+ "working_location": "Working location",
+ "next_dawn": "Próximo amencer",
+ "next_dusk": "Próximo anoitecer",
+ "next_midnight": "Próxima medianoite",
+ "next_noon": "Próximo mediodía",
+ "next_rising": "Próximo abrente",
+ "next_setting": "Próxima atardecida",
+ "solar_azimuth": "Acimut solar",
+ "solar_elevation": "Altitude solar",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1980,76 +2031,253 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Último movemento",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentáneo",
- "pull_retract": "Tirar/Retraer",
- "bytes_received": "Bytes recibidos",
- "server_country": "País do servidor",
- "server_id": "ID do servidor",
- "server_name": "Nome do servidor",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes enviados",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Enchufado",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Captura de pantalla",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
+ "estimated_distance": "Distancia estimada",
+ "vendor": "Vendedor",
+ "accelerometer": "Acelerómetro",
+ "binary_input": "Entrada binaria",
+ "calibrated": "Calibrado",
+ "consumer_connected": "Consumidor conectado",
+ "external_sensor": "Sensor externo",
+ "frost_lock": "Bloqueo por xeadas",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Calor necesario",
+ "ias_zone": "Zona IAS",
+ "linkage_alarm_state": "Estado de alarma de enlace",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Estado de pre-aquecemento",
+ "replace_filter": "Substituír filtro",
+ "valve_alarm": "Alarma de válvula",
+ "open_window_detection": "Open window detection",
+ "feed": "Alimentar",
+ "frost_lock_reset": "Reinicio do bloqueo por xeadas",
+ "presence_status_reset": "Estado de presenza restablecido",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Auto-diagnóstico",
+ "keen_vent": "Respiradoiro Keen",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Pechadura da porta",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Distancia de aproximación",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Hora de inicio do exercicio",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "Sensor de temperatura externo",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Duración do filtro",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Cor predeterminada para todos os LEDs apagados",
+ "led_color_when_on_name": "Cor predeterminada para todos os LEDs acendidos",
+ "led_intensity_when_off_name": "Intensidade predeterminada con todos os LEDs apagados",
+ "led_intensity_when_on_name": "Intensidade predeterminada para todos os LEDs acendidos",
+ "load_level_indicator_timeout": "Tempo de espera do indicador de nivel de carga",
+ "load_room_mean": "Carga media do espazo",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Nivel mínimo de atenuación da carga",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Tempo de transición a apagado",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "Nivel de acendido",
+ "on_off_transition_time": "Tempo de transición On/Off",
+ "on_transition_time": "Tempo de transición a acendido",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Peso da porción",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Tempo de inicio rápido",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Compensación do punto de axuste de regulación",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Servindo para dispensar",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Temperatura de cor de inicio",
+ "start_up_current_level": "Nivel de corrente inicial",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Duración do temporizador",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Potencia de transmisión",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Comando de execución de adaptación",
+ "backlight_mode": "Modo de retro-iluminación",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Volume de sirena predeterminado",
+ "default_siren_tone": "Ton de sirena predeterminado",
+ "default_strobe": "Estrobo predeterminado",
+ "default_strobe_level": "Nivel de estrobo predeterminado",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Día de exercicio da semana",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Saída non neutra",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Modo de escalado LED",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Modo de monitorización",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Modo de saída",
+ "power_on_state": "Estado de encendido",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Tempo de resposta do punto de axuste",
+ "smart_fan_led_display_levels_name": "Niveis de visualización LED do ventilador intelixente",
+ "start_up_behavior": "Comportamento de inicio",
+ "switch_mode": "Switch mode",
+ "switch_type": "Tipo de interruptor",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Orientación da válvula",
+ "viewing_direction": "Dirección de visualización",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Modo cortina",
+ "ac_frequency": "Frecuencia de CA",
+ "adaptation_run_status": "Estado da execución da adaptación",
+ "in_progress": "En progreso",
+ "run_successful": "Execución exitosa",
+ "valve_characteristic_lost": "Perdeuse a característica da válvula",
+ "analog_input": "Entrada analóxica",
+ "control_status": "Control status",
+ "device_run_time": "Tempo de funcionamento do dispositivo",
+ "device_temperature": "Temperatura do dispositivo",
+ "target_distance": "Target distance",
+ "filter_run_time": "Tempo de funcionamento do filtro",
+ "formaldehyde_concentration": "Concentración de formaldehído",
+ "hooks_state": "Hooks state",
+ "hvac_action": "Acción HVAC",
+ "instantaneous_demand": "Demanda instantánea",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Tamaño da última toma",
+ "last_feeding_source": "Última fonte de alimentación",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Humidade da folla",
+ "load_estimate": "Estimación de carga",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Contador de pasos do motor",
+ "open_window_detected": "Detectouse unha xanela aberta",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Demanda de calefacción Pi",
+ "portions_dispensed_today": "Porcións dispensadas hoxe",
+ "pre_heat_time": "Tempo de pre-aquecemento",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Densidade de fume",
+ "software_error": "Erro de software",
+ "good": "Bo",
+ "critical_low_battery": "Batería en nivel baixo crítico",
+ "encoder_jammed": "Codificador atascado",
+ "invalid_clock_information": "Información de reloxo non válida",
+ "invalid_internal_communication": "Comunicación interna non válida",
+ "low_battery": "Batería baixa",
+ "motor_error": "Erro do motor",
+ "non_volatile_memory_error": "Erro de memoria non volátil",
+ "radio_communication_error": "Erro na comunicación por radio",
+ "side_pcb_sensor_error": "Erro no sensor PCB lateral",
+ "top_pcb_sensor_error": "Erro no sensor PCB superior",
+ "unknown_hw_error": "Erro de HW descoñecido",
+ "soil_moisture": "Humidade do solo",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Activada a execución de adaptación",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Alarma manual do zoador",
+ "buzzer_manual_mute": "Silenciar manualmente o zoador",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Desactivar LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "Sensor externo da xanela",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "LED de progreso do firmware",
+ "heartbeat_indicator": "Indicador de pulso cardíaco",
+ "heat_available": "Calor dispoñible",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "Indicador LED",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Protección local",
+ "mounting_mode": "Modo de montaxe",
+ "only_led_mode": "Só modo 1 LED",
+ "open_window": "Open window",
+ "power_outage_memory": "Memoria de corte de enerxía",
+ "prioritize_external_temperature_sensor": "Priorizar o sensor de temperatura externo",
+ "relay_click_in_on_off_mode_name": "Desactivar o clic do relé no modo de encendido/apagado",
+ "smart_bulb_mode": "Modo de lámpada intelixente",
+ "smart_fan_mode": "Modo de ventilador intelixente",
+ "led_trigger_indicator": "Indicador LED de activación",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Usar a detección de xanelas internas",
+ "use_load_balancing": "Use o equilibrio de carga",
+ "valve_detection": "Detección de válvulas",
+ "window_detection": "Detección de xanelas",
+ "invert_window_detection": "Detección de xanela invertida",
+ "available_tones": "Available tones",
"device_trackers": "Rastreadores de dispositivos",
"gps_accuracy": "GPS accuracy",
- "paused": "Paused",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
- "state_class": "Clase de estado",
+ "state_class": "State class",
"measurement": "Measurement",
"total": "Total",
"total_increasing": "Total increasing",
@@ -2079,84 +2307,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Calefacción/refrixeración",
- "aux_heat": "Calor auxiliar",
- "current_humidity": "Current humidity",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Current action",
- "cooling": "Cooling",
- "defrosting": "Defrosting",
- "drying": "Drying",
- "heating": "Calefacción",
- "preheating": "Prequecemento",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Both",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Non está a cargar",
- "disconnected": "Disconnected",
- "connected": "Connected",
- "hot": "Quente",
- "no_light": "Sen luz",
- "light_detected": "Luz detectada",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "Non está a moverse",
- "unplugged": "Desenchufado",
- "not_running": "Non se está a executar",
- "safe": "Seguro",
- "unsafe": "Inseguro",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Sobre o horizonte",
- "below_horizon": "Baixo o horizonte",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Membros do grupo",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2172,13 +2328,36 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "available_tones": "Available tones",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Scripts máximos en execución",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Actualización automática",
+ "installed_version": "Versión instalada",
+ "latest_version": "Última versión",
+ "release_summary": "Resumo da versión",
+ "release_url": "URL da versión",
+ "skipped_version": "Versión omitida",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Despexado, de noite",
"cloudy": "Nubrado",
"exceptional": "Exceptional",
@@ -2201,25 +2380,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Actualización automática",
- "in_progress": "En progreso",
- "installed_version": "Versión instalada",
- "latest_version": "Última versión",
- "release_summary": "Resumo da versión",
- "release_url": "URL da versión",
- "skipped_version": "Versión omitida",
- "firmware": "Firmware",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "disarming": "Desarmamento",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2228,65 +2391,110 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locked": "Locked",
+ "locking": "Locking",
+ "unlocked": "Unlocked",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Calefacción/refrixeración",
+ "aux_heat": "Calor auxiliar",
+ "current_humidity": "Current humidity",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Current action",
+ "cooling": "Cooling",
+ "defrosting": "Defrosting",
+ "drying": "Drying",
+ "preheating": "Prequecemento",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Both",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Non está a cargar",
+ "disconnected": "Disconnected",
+ "connected": "Connected",
+ "hot": "Quente",
+ "no_light": "Sen luz",
+ "light_detected": "Luz detectada",
+ "not_moving": "Non está a moverse",
+ "unplugged": "Desenchufado",
+ "not_running": "Non se está a executar",
+ "safe": "Seguro",
+ "unsafe": "Inseguro",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Membros do grupo",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Scripts máximos en execución",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Erro ao obter o token de acceso.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "Erro de autorización OAuth ao obter o token de acceso.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Sobre o horizonte",
+ "below_horizon": "Baixo o horizonte",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Desarmamento",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2297,27 +2505,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Contrasinal para protexer a copia de seguridade.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2325,68 +2535,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Conéctate ao dispositivo",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Sensor de modelo",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Modelo do sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Axudante de modelo",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Erro ao obter o token de acceso.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "Erro de autorización OAuth ao obter o token de acceso.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2413,48 +2582,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Bridge is already configured",
- "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Non se puido conectar coa pasarela",
- "error_no_key": "Couldn't get an API key",
- "link_with_deconz": "Link with deCONZ",
- "select_discovered_deconz_gateway": "Selecciona a pasarela deCONZ descuberta",
- "pin_code": "PIN code",
- "discovered_android_tv": "Descuberto Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Descuberto o servizo Wyoming",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "Enderezo MAC",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 non é compatible.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Descuberto Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignora o non numérico",
"data_round_digits": "Redondear valor ao número de decimais",
"type": "Type",
@@ -2462,138 +2630,171 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Grupo de sensores",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Contrasinal para protexer a copia de seguridade.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "Bridge is already configured",
+ "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Non se puido conectar coa pasarela",
+ "error_no_key": "Couldn't get an API key",
+ "link_with_deconz": "Link with deCONZ",
+ "select_discovered_deconz_gateway": "Selecciona a pasarela deCONZ descuberta",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Descuberto o servizo Wyoming",
+ "ipv_is_not_supported": "IPv6 non é compatible.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Sensor de modelo",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Modelo do sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Axudante de modelo",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Enable birth message",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Enable will message",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
"channels_list_configuration": "Channels list configuration",
"standard_options": "Standard options",
"save_options_and_exit": "Save options and exit",
@@ -2611,28 +2812,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Enable birth message",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Enable will message",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2640,26 +2819,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2754,6 +3018,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
+ "increase_entity_name_brightness": "Increase {entity_name} brightness",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "First button",
+ "second_button": "Second button",
+ "third_button": "Third button",
+ "fourth_button": "Fourth button",
+ "fifth_button": "Fifth button",
+ "sixth_button": "Sixth button",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} is home",
+ "entity_name_is_not_home": "{entity_name} is not home",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} is cleaning",
+ "entity_name_is_docked": "{entity_name} is docked",
+ "entity_name_started_cleaning": "{entity_name} started cleaning",
+ "entity_name_docked": "{entity_name} docked",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} is locked",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is unlocked",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opened",
+ "entity_name_unlocked": "{entity_name} unlocked",
"action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
"change_preset_on_entity_name": "Change preset on {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2761,8 +3078,22 @@
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Close {entity_name} tilt",
+ "open_entity_name_tilt": "Open {entity_name} tilt",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Set {entity_name} tilt position",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} is closed",
+ "entity_name_is_closing": "{entity_name} is closing",
+ "entity_name_is_opening": "{entity_name} is opening",
+ "current_entity_name_position_is": "Current {entity_name} position is",
+ "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
+ "entity_name_closed": "{entity_name} closed",
+ "entity_name_closing": "{entity_name} closing",
+ "entity_name_opening": "{entity_name} opening",
+ "entity_name_position_changes": "{entity_name} position changes",
+ "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
"entity_name_battery_is_low": "{entity_name} battery is low",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2771,7 +3102,6 @@
"entity_name_is_detecting_gas": "{entity_name} is detecting gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} is detecting light",
- "entity_name_is_locked": "{entity_name} is locked",
"entity_name_is_moist": "{entity_name} is moist",
"entity_name_is_detecting_motion": "{entity_name} is detecting motion",
"entity_name_is_moving": "{entity_name} is moving",
@@ -2789,11 +3119,9 @@
"entity_name_is_not_cold": "{entity_name} is not cold",
"entity_name_is_disconnected": "{entity_name} is disconnected",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} is unlocked",
"entity_name_is_dry": "{entity_name} is dry",
"entity_name_is_not_moving": "{entity_name} is not moving",
"entity_name_is_not_occupied": "{entity_name} is not occupied",
- "entity_name_is_closed": "{entity_name} is closed",
"entity_name_is_unplugged": "{entity_name} is unplugged",
"entity_name_is_not_powered": "{entity_name} is not powered",
"entity_name_is_not_present": "{entity_name} is not present",
@@ -2801,7 +3129,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} is occupied",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is plugged in",
"entity_name_is_powered": "{entity_name} is powered",
"entity_name_is_present": "{entity_name} is present",
@@ -2821,7 +3148,6 @@
"entity_name_started_detecting_gas": "{entity_name} started detecting gas",
"entity_name_became_hot": "{entity_name} became hot",
"entity_name_started_detecting_light": "{entity_name} started detecting light",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} started detecting motion",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2832,18 +3158,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} became not hot",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} closed",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
@@ -2851,7 +3174,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} plugged in",
"entity_name_powered": "{entity_name} powered",
"entity_name_present": "{entity_name} present",
@@ -2861,44 +3183,14 @@
"entity_name_started_detecting_sound": "{entity_name} started detecting sound",
"entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
"entity_name_became_unsafe": "{entity_name} became unsafe",
- "trigger_type_update": "{entity_name} got an update available",
- "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
- "entity_name_is_buffering": "{entity_name} is buffering",
- "entity_name_is_idle": "{entity_name} is idle",
- "entity_name_is_paused": "{entity_name} is paused",
- "entity_name_is_playing": "{entity_name} is playing",
- "entity_name_starts_buffering": "{entity_name} starts buffering",
- "entity_name_becomes_idle": "{entity_name} becomes idle",
- "entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} is home",
- "entity_name_is_not_home": "{entity_name} is not home",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
- "increase_entity_name_brightness": "Increase {entity_name} brightness",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Disarm {entity_name}",
- "trigger_entity_name": "Trigger {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} is disarmed",
- "entity_name_is_triggered": "{entity_name} is triggered",
- "entity_name_armed_away": "{entity_name} armed away",
- "entity_name_armed_home": "{entity_name} armed home",
- "entity_name_armed_night": "{entity_name} armed night",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} disarmed",
- "entity_name_triggered": "{entity_name} triggered",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
+ "entity_name_is_buffering": "{entity_name} is buffering",
+ "entity_name_is_idle": "{entity_name} is idle",
+ "entity_name_is_paused": "{entity_name} is paused",
+ "entity_name_is_playing": "{entity_name} is playing",
+ "entity_name_starts_buffering": "{entity_name} starts buffering",
+ "entity_name_becomes_idle": "{entity_name} becomes idle",
+ "entity_name_starts_playing": "{entity_name} starts playing",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2908,35 +3200,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Close {entity_name} tilt",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Open {entity_name} tilt",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Set {entity_name} tilt position",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} is closing",
- "entity_name_is_opening": "{entity_name} is opening",
- "current_entity_name_position_is": "Current {entity_name} position is",
- "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
- "entity_name_closing": "{entity_name} closing",
- "entity_name_opening": "{entity_name} opening",
- "entity_name_position_changes": "{entity_name} position changes",
- "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Both buttons",
"bottom_buttons": "Bottom buttons",
"seventh_button": "Seventh button",
@@ -2961,13 +3224,6 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} is cleaning",
- "entity_name_is_docked": "{entity_name} is docked",
- "entity_name_started_cleaning": "{entity_name} started cleaning",
- "entity_name_docked": "{entity_name} docked",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2978,29 +3234,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Disarm {entity_name}",
+ "trigger_entity_name": "Trigger {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} is disarmed",
+ "entity_name_is_triggered": "{entity_name} is triggered",
+ "entity_name_armed_away": "{entity_name} armed away",
+ "entity_name_armed_home": "{entity_name} armed home",
+ "entity_name_armed_night": "{entity_name} armed night",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} disarmed",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Tono de cor",
+ "duration_in_seconds": "Duración en segundos",
+ "effect_type": "Tipo de efecto",
+ "led_number": "Número de LED",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "Device dropped",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Device tilted",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Máis recentemente actualizado",
- "arithmetic_mean": "Media aritmética",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Rango estatístico",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Azul Alicia",
"antique_white": "Branca antiga",
"aqua": "Auga",
@@ -3127,52 +3408,22 @@
"wheat": "Trigo",
"white_smoke": "Fume branco",
"yellow_green": "Amarelo verde",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Apaga unha ou máis luces.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activa unha escena con configuración.",
- "entities_description": "Lista de entidades e o seu estado obxectivo.",
- "entities_state": "Estado das entidades",
- "transition": "Transition",
- "apply": "Aplicar",
- "creates_a_new_scene": "Crea unha nova escena.",
- "scene_id_description": "O ID da entidade da nova escena.",
- "scene_entity_id": "ID da entidade de escena",
- "snapshot_entities": "Entidades de instantánea",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activa unha escena.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Máis recentemente actualizado",
+ "arithmetic_mean": "Media aritmética",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Rango estatístico",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3189,6 +3440,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transición",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3199,133 +3451,87 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Configurar ID da entrada",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Desactivar integracións e tarxetas personalizadas.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entidade a que se refire na entrada do rexistro.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Activa/desactiva o quecedor auxiliar.",
- "aux_heat_description": "Novo valor do quecedor auxiliar.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Establecer modo preset",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selecciona a pista seguinte.",
- "pauses": "Pausa.",
- "starts_playing": "Comeza a reproducir.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Anunciar",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Separar",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Establecer volume",
- "turns_up_the_volume": "Sube o volume.",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
"color_temperature_in_mireds": "Color temperature in mireds.",
"light_effect": "Light effect.",
"hue_sat_color": "Hue/Sat color",
- "color_temperature_in_kelvin": "Color temperature in Kelvin.",
- "profile_description": "Name of a light profile to use.",
- "rgbw_color": "RGBW-color",
- "rgbww_color": "RGBWW-color",
- "white_description": "Set the light to white mode.",
- "xy_color": "XY-color",
- "brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Engade un novo evento ao calendario.",
- "calendar_id_description": "O ID do calendario que queres.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "create_event_description": "Adds a new calendar event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "color_temperature_in_kelvin": "Color temperature in Kelvin.",
+ "profile_description": "Name of a light profile to use.",
+ "rgbw_color": "RGBW-color",
+ "rgbww_color": "RGBWW-color",
+ "white_description": "Set the light to white mode.",
+ "xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
+ "brightness_step_description": "Change brightness by an amount.",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Nivel",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3351,27 +3557,306 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Detén un script en execución.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Velocidade do ventilador.",
+ "percentage": "Porcentaxe",
+ "set_speed": "Establecer velocidade",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Modo preset",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Activar o ventilador.",
+ "turns_fan_on": "Desactivar o ventilador.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Crea unha entrada personalizada no rexistro.",
+ "entity_id_description": "Reprodutores de medios para reproducir a mensaxe.",
+ "message_description": "Message body of the notification.",
+ "log": "Rexistro",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activa unha escena con configuración.",
+ "entities_description": "Lista de entidades e o seu estado obxectivo.",
+ "entities_state": "Estado das entidades",
+ "apply": "Aplicar",
+ "creates_a_new_scene": "Crea unha nova escena.",
+ "entity_states": "Entity states",
+ "scene_id_description": "O ID da entidade da nova escena.",
+ "scene_entity_id": "ID da entidade de escena",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activa unha escena.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Configurar ID da entrada",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Desactivar integracións e tarxetas personalizadas.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Obter a predición do tempo.",
+ "type_description": "Tipo de predición: diaria, horaria ou dúas veces ao día.",
+ "forecast_type": "Tipo de predición",
+ "get_forecast": "Obter predición",
+ "get_weather_forecasts": "Obteña predicións meteorolóxicas.",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Desactiva a detección de movemento.",
+ "disable_motion_detection": "Desactivar a detección de movemento",
+ "enables_the_motion_detection": "Activa a detección de movemento.",
+ "enable_motion_detection": "Activar a detección de movemento",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Borrar a caché de TTS",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Reprodutores de medios para reproducir a mensaxe.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "ID de medios",
+ "the_message_to_announce": "A mensaxe para anunciar.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Activa/desactiva o quecedor auxiliar.",
+ "aux_heat_description": "Novo valor do quecedor auxiliar.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selecciona a pista seguinte.",
+ "pauses": "Pausa.",
+ "starts_playing": "Comeza a reproducir.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Separar",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Establecer volume",
+ "turns_up_the_volume": "Sube o volume.",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3410,38 +3895,6 @@
"restore_partial_description": "Restaura desde unha copia de seguridade parcial.",
"restores_home_assistant": "Restaura Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Velocidade do ventilador.",
- "percentage": "Porcentaxe",
- "set_speed": "Establecer velocidade",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Activar o ventilador.",
- "turns_fan_on": "Desactivar o ventilador.",
- "get_weather_forecast": "Obter a predición do tempo.",
- "type_description": "Tipo de predición: diaria, horaria ou dúas veces ao día.",
- "forecast_type": "Tipo de predición",
- "get_forecast": "Obter predición",
- "get_weather_forecasts": "Obteña predicións meteorolóxicas.",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3449,77 +3902,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Desactiva a detección de movemento.",
- "disable_motion_detection": "Desactivar a detección de movemento",
- "enables_the_motion_detection": "Activa a detección de movemento.",
- "enable_motion_detection": "Activar a detección de movemento",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "create_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Crea unha entrada personalizada no rexistro.",
- "message_description": "Message body of the notification.",
- "log": "Rexistro",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3528,83 +3920,33 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "add_event_description": "Engade un novo evento ao calendario.",
+ "calendar_id_description": "O ID do calendario que queres.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "ID de medios",
- "the_message_to_announce": "A mensaxe para anunciar.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Detén un script en execución.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/gsw/gsw.json b/packages/core/src/hooks/useLocale/locales/gsw/gsw.json
index 1d6f13aa..d7652505 100644
--- a/packages/core/src/hooks/useLocale/locales/gsw/gsw.json
+++ b/packages/core/src/hooks/useLocale/locales/gsw/gsw.json
@@ -132,7 +132,7 @@
"cancel": "Cancel",
"cancel_number": "{number} abbräche",
"cancel_all": "Aui abbräche",
- "idle": "Idle",
+ "idle": "Läärlouf",
"run_script": "Skript usfüehre",
"option": "Option",
"installing": "Am installiere",
@@ -644,6 +644,7 @@
"last_updated": "Last updated",
"remaining_time": "Verblybendi Zyt",
"install_status": "Installationsstatus",
+ "ui_components_multi_textfield_add_item": "{item} hinzuäfüäge",
"safe_mode": "Safe mode",
"all_yaml_configuration": "Aui YAML-Konfiguratione",
"domain": "Domain",
@@ -748,7 +749,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Erstell e Sicherig vor der Aktualisierig",
"update_instructions": "Instruktione für d Aktualisierig",
"current_activity": "Aktuelli Aktivität",
- "status": "Status",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Stoubsuger Befäu:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -865,7 +866,7 @@
"restart_home_assistant": "Home Assistant nöi starte?",
"advanced_options": "Advanced options",
"quick_reload": "Schnäulade",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Nöilade Konfiguration",
"failed_to_reload_configuration": "Fähler bim Lade vor Konfiguration",
"restart_description": "Ungerbricht aui loufende Outomatione u Skripts.",
@@ -894,8 +895,8 @@
"password": "Password",
"regex_pattern": "Regex-Vorlag",
"used_for_client_side_validation": "Für Clientsytegi Überprüefig bruucht",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Yygabefäud",
"slider": "Slider",
"step_size": "Schrittgrössi",
@@ -941,7 +942,7 @@
"ui_dialogs_zha_device_info_confirmations_remove": "Bisch sicher, dass d das Grät wosch lösche?",
"quirk": "Quirk",
"last_seen": "Zletscht gseh",
- "power_source": "Energiequeue",
+ "power_source": "Power source",
"change_device_name": "Grätname ändere",
"device_debug_info": "{device} Informatione zur Fählerbehäbig",
"mqtt_device_debug_info_deserialize": "Versuech MQTT-Nachricht i JSON umzwandle",
@@ -1211,7 +1212,7 @@
"ui_panel_lovelace_editor_edit_view_tab_badges": "Plakette",
"card_configuration": "Charte bearbeite",
"type_card_configuration": "{type}-Charte bearbeite",
- "edit_card_pick_card": "Weli Charte möchtisch derzuefüege?",
+ "edit_card_pick_card": "Which card would you like to add?",
"toggle_editor": "Toggle editor",
"you_have_unsaved_changes": "You have unsaved changes",
"edit_card_confirm_cancel": "Bisch sicher, du wosch abbräche?",
@@ -1310,7 +1311,7 @@
"web_link": "Weblink",
"buttons": "Chnöpf",
"cast": "Verbreite",
- "button": "Button",
+ "button": "Chnopf",
"entity_filter": "Entität-Fiuter",
"secondary_information": "Sekundärinformatione",
"gauge": "Mässgrät",
@@ -1404,6 +1405,7 @@
"show_more_detail": "Zeig meh Details",
"graph_type": "Graph-Typ",
"hide_completed_items": "Hide completed items",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_none": "Standard",
"thermostat": "Thermostat",
"thermostat_show_current_as_primary": "Zeig die aktuelli Temperatur aus primäri Information",
"tile": "Chachle",
@@ -1414,6 +1416,7 @@
"ui_panel_lovelace_editor_card_tile_actions": "Aktione",
"ui_panel_lovelace_editor_card_tile_default_color": "Standardfarb (Status)",
"ui_panel_lovelace_editor_card_tile_state_content_options_last_changed": "Zuletzt geändert",
+ "ui_panel_lovelace_editor_card_tile_state_content_options_state": "Status",
"vertical_stack": "Vertikale Stapu",
"weather_forecast": "Wättervorhärsag",
"weather": "Wätter",
@@ -1522,143 +1525,122 @@
"now": "Now",
"compare_data": "Date verglyche",
"reload_ui": "Benutzeroberflächi nöi lade",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Gruppe",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Fan",
- "camera": "Camera",
+ "scene": "Scene",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climate",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climate",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
- "closed": "Zue",
+ "closed": "Closed",
"overheated": "Overheated",
"temperature_warning": "Temperature warning",
"update_available": "Update available",
@@ -1683,6 +1665,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1708,31 +1691,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Nächsti Morgedämmerig",
- "next_dusk": "Nächsti Abedämmerig",
- "next_midnight": "Nächsti Mitternacht",
- "next_noon": "Nächste Mittag",
- "next_rising": "Nächste Sunneufgang",
- "next_setting": "Nächste Sunneundergang",
- "solar_azimuth": "Sunneazimut",
- "solar_elevation": "Sunnehöchi",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1754,34 +1722,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Us",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Plugged in",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1855,6 +1865,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1904,7 +1915,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1921,6 +1931,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Nächsti Morgedämmerig",
+ "next_dusk": "Nächsti Abedämmerig",
+ "next_midnight": "Nächsti Mitternacht",
+ "next_noon": "Nächste Mittag",
+ "next_rising": "Nächste Sunneufgang",
+ "next_setting": "Nächste Sunneundergang",
+ "solar_azimuth": "Sunneazimut",
+ "solar_elevation": "Sunnehöchi",
+ "solar_rising": "Solar rising",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1940,73 +1993,251 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Plugged in",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Liecht Gruppe",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Pousiert",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -2039,84 +2270,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Current humidity",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Current action",
- "cooling": "Cooling",
- "defrosting": "Defrosting",
- "drying": "Drying",
- "heating": "Heating",
- "preheating": "Preheating",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Both",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Not charging",
- "disconnected": "Trennt",
- "connected": "Verbunde",
- "hot": "Hot",
- "no_light": "Ke Liecht",
- "light_detected": "Liecht detektiert",
- "locked": "Bschlosse",
- "unlocked": "Ufbschlosse",
- "not_moving": "Not moving",
- "unplugged": "Unplugged",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Überem Horizont",
- "below_horizon": "Underem Horizont",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Nume Häuigkeit",
"hs": "HS",
@@ -2132,13 +2291,36 @@
"minimum_color_temperature_kelvin": "Minimali Temperatur (Kelvin)",
"minimum_color_temperature_mireds": "Minimali Temperatur (mireds)",
"available_color_modes": "Verfüegbari Farbmodi",
- "available_tones": "Available tones",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Pousiert",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Klari Nacht",
"cloudy": "Bewöukt",
"exceptional": "Usserordentlech",
@@ -2161,26 +2343,9 @@
"uv_index": "UV-Index",
"wind_bearing": "Windverhaute",
"wind_gust_speed": "Böhegschwindigkeit",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "disarming": "Disarming",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2189,65 +2354,112 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locked": "Bschlosse",
+ "locking": "Locking",
+ "unlocked": "Ufbschlosse",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Current humidity",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Current action",
+ "cooling": "Cooling",
+ "defrosting": "Defrosting",
+ "drying": "Drying",
+ "heating": "Heating",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Both",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Not charging",
+ "disconnected": "Trennt",
+ "connected": "Verbunde",
+ "hot": "Hot",
+ "no_light": "Ke Liecht",
+ "light_detected": "Liecht detektiert",
+ "not_moving": "Not moving",
+ "unplugged": "Unplugged",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Überem Horizont",
+ "below_horizon": "Underem Horizont",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Disarming",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2258,27 +2470,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Wosch du {name} yyrichte?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2286,68 +2500,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2374,48 +2547,48 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Bridge is already configured",
- "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Couldn't get an API key",
- "link_with_deconz": "Link with deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "Ke Dienst a däm Ändpunkt gfunde",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "bluetooth_confirm_description": "Do you want to set up {name}?",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2423,138 +2596,169 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Liecht Gruppe",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "Bridge is already configured",
+ "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Couldn't get an API key",
+ "link_with_deconz": "Link with deCONZ",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "Ke Dienst a däm Ändpunkt gfunde",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "Das Grät isch kes ZHA-Grät",
+ "abort_usb_probe_failed": "Test vom USB-Grät gschytteret",
+ "invalid_backup_json": "Ungüutegi JSON-Sicherig",
+ "choose_an_automatic_backup": "Wäu e outomatischi Sicherig us",
+ "restore_automatic_backup": "Outomatischi Sicherig widerhärsteue",
+ "choose_formation_strategy_description": "Wäu d Netzwärchyystellige für dini Antenne us.",
+ "create_a_network": "Netzwärch ersteue",
+ "keep_radio_network_settings": "Antenneyystellige bhaute",
+ "upload_a_manual_backup": "Manuelli Sicherig ufelade",
+ "network_formation": "Netzwärchformation",
+ "serial_device_path": "Pfad zum serielle Grät",
+ "select_a_serial_port": "Serielle Port uswähle",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Wäu di Zigbee-Antenne-Typ us",
+ "port_speed": "Port-Gschwindigkeit",
+ "data_flow_control": "Dateflusskontroue",
+ "manual_port_config_description": "Gib d Yystellige vom serielle Port aa",
+ "serial_port_settings": "Ystellige vom serielle Port",
+ "overwrite_radio_ieee_address": "Permanänti Ersetzig vor IEEE-Adrässe vor Antenne",
+ "upload_a_file": "Datei ufelade",
+ "radio_is_not_recommended": "Antenne isch nid empfohle",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code für d Alarm-Aktivierig",
+ "zha_alarm_options_alarm_master_code": "Houptcode für ds Alarm-Kontroupanel",
+ "alarm_control_panel_options": "Alarm Kontroupanel Optione",
+ "zha_options_consider_unavailable_battery": "Batteriebetribeni Grät nach söfu Sekunde aus nidverfüegbar betrachte",
+ "zha_options_consider_unavailable_mains": "Netzbetribeni Grät nach söfu Sekunde aus nidverfüegbar betrachte",
+ "zha_options_default_light_transition": "Standard Zyt für Liechtübergang (Sekunde)",
+ "zha_options_group_members_assume_state": "Gruppemitglider näme der Status vor Gruppe aa",
+ "zha_options_light_transitioning_flag": "Verbessereti Häuigkeitsregler während em Übergang aktiviere",
+ "global_options": "Globali Optione",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Enable birth message",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Enable will message",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
"channels_list_configuration": "Channels list configuration",
"standard_options": "Standard options",
"save_options_and_exit": "Save options and exit",
@@ -2572,28 +2776,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Enable birth message",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Enable will message",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2601,26 +2783,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "ZHA nöi konfiguriere",
+ "unplug_your_old_radio": "Auti Antenne uszieh",
+ "intent_migrate_title": "Migration uf nöii Antenne",
+ "re_configure_the_current_radio": "Antenne nöi yyrichte",
+ "migrate_or_re_configure": "Migration oder Nöikonfiguration",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2715,6 +2982,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Reduzier d Häuigkeit vo {entity_name}",
+ "increase_entity_name_brightness": "Erhöch d Häuigkeit vo {entity_name}",
+ "flash_entity_name": "Blitzliecht vo {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "Erschte Chnopf",
+ "second_button": "Zwöite Chnopf",
+ "third_button": "Dritte Chnopf",
+ "fourth_button": "Vierte Chnopf",
+ "fifth_button": "Füfte Chnopf",
+ "sixth_button": "Sächste Chnopf",
+ "subtype_double_clicked": "\"{subtype}\" doppuklicket",
+ "subtype_continuously_pressed": "\"{subtype}\" lang drückt",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" Vier Mau klicket",
+ "subtype_quintuple_clicked": "\"{subtype}\" Füf Mau klicket",
+ "subtype_pressed": "\"{subtype}\" drückt",
+ "subtype_released": "\"{subtype}\" loosglah",
+ "subtype_triple_clicked": "\"{subtype}\" drü Mau klicket",
+ "entity_name_is_home": "{entity_name} is home",
+ "entity_name_is_not_home": "{entity_name} is not home",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} is cleaning",
+ "entity_name_is_docked": "{entity_name} is docked",
+ "entity_name_started_cleaning": "{entity_name} started cleaning",
+ "entity_name_docked": "{entity_name} docked",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} is locked",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is unlocked",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opened",
+ "entity_name_unlocked": "{entity_name} unlocked",
"action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
"change_preset_on_entity_name": "Change preset on {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2722,8 +3042,22 @@
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Close {entity_name} tilt",
+ "open_entity_name_tilt": "Open {entity_name} tilt",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Set {entity_name} tilt position",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} is closed",
+ "entity_name_is_closing": "{entity_name} is closing",
+ "entity_name_is_opening": "{entity_name} is opening",
+ "current_entity_name_position_is": "Current {entity_name} position is",
+ "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
+ "entity_name_closed": "{entity_name} closed",
+ "entity_name_closing": "{entity_name} closing",
+ "entity_name_opening": "{entity_name} opening",
+ "entity_name_position_changes": "{entity_name} position changes",
+ "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
"entity_name_battery_is_low": "{entity_name} battery is low",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2732,7 +3066,6 @@
"entity_name_is_detecting_gas": "{entity_name} is detecting gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} het Liecht detektiert",
- "entity_name_is_locked": "{entity_name} is locked",
"entity_name_is_moist": "{entity_name} is moist",
"entity_name_is_detecting_motion": "{entity_name} is detecting motion",
"entity_name_is_moving": "{entity_name} is moving",
@@ -2750,11 +3083,9 @@
"entity_name_is_not_cold": "{entity_name} is not cold",
"entity_name_is_disconnected": "{entity_name} is disconnected",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} is unlocked",
"entity_name_is_dry": "{entity_name} is dry",
"entity_name_is_not_moving": "{entity_name} is not moving",
"entity_name_is_not_occupied": "{entity_name} is not occupied",
- "entity_name_is_closed": "{entity_name} is closed",
"entity_name_is_unplugged": "{entity_name} is unplugged",
"entity_name_is_not_powered": "{entity_name} is not powered",
"entity_name_is_not_present": "{entity_name} is not present",
@@ -2762,7 +3093,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} is occupied",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is plugged in",
"entity_name_is_powered": "{entity_name} is powered",
"entity_name_is_present": "{entity_name} is present",
@@ -2782,7 +3112,6 @@
"entity_name_started_detecting_gas": "{entity_name} started detecting gas",
"entity_name_became_hot": "{entity_name} became hot",
"entity_name_started_detecting_light": "{entity_name} het aagfange Liecht z detektiere",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} started detecting motion",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2793,73 +3122,39 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} became not hot",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} closed",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
"trigger_type_not_running": "{entity_name} is no longer running",
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
- "entity_name_became_safe": "{entity_name} became safe",
- "entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
- "entity_name_plugged_in": "{entity_name} plugged in",
- "entity_name_powered": "{entity_name} powered",
- "entity_name_present": "{entity_name} present",
- "entity_name_started_detecting_problem": "{entity_name} started detecting problem",
- "entity_name_started_running": "{entity_name} started running",
- "entity_name_started_detecting_smoke": "{entity_name} started detecting smoke",
- "entity_name_started_detecting_sound": "{entity_name} started detecting sound",
- "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
- "entity_name_became_unsafe": "{entity_name} became unsafe",
- "trigger_type_update": "{entity_name} got an update available",
- "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
- "entity_name_is_buffering": "{entity_name} is buffering",
- "entity_name_is_idle": "{entity_name} is idle",
- "entity_name_is_paused": "{entity_name} is paused",
- "entity_name_is_playing": "{entity_name} is playing",
- "entity_name_starts_buffering": "{entity_name} starts buffering",
- "entity_name_becomes_idle": "{entity_name} becomes idle",
- "entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} is home",
- "entity_name_is_not_home": "{entity_name} is not home",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Reduzier d Häuigkeit vo {entity_name}",
- "increase_entity_name_brightness": "Erhöch d Häuigkeit vo {entity_name}",
- "flash_entity_name": "Blitzliecht vo {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Disarm {entity_name}",
- "trigger_entity_name": "Trigger {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} is disarmed",
- "entity_name_is_triggered": "{entity_name} is triggered",
- "entity_name_armed_away": "{entity_name} armed away",
- "entity_name_armed_home": "{entity_name} armed home",
- "entity_name_armed_night": "{entity_name} armed night",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} disarmed",
- "entity_name_triggered": "{entity_name} triggered",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "entity_name_became_safe": "{entity_name} became safe",
+ "entity_name_became_occupied": "{entity_name} became occupied",
+ "entity_name_plugged_in": "{entity_name} plugged in",
+ "entity_name_powered": "{entity_name} powered",
+ "entity_name_present": "{entity_name} present",
+ "entity_name_started_detecting_problem": "{entity_name} started detecting problem",
+ "entity_name_started_running": "{entity_name} started running",
+ "entity_name_started_detecting_smoke": "{entity_name} started detecting smoke",
+ "entity_name_started_detecting_sound": "{entity_name} started detecting sound",
+ "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
+ "entity_name_became_unsafe": "{entity_name} became unsafe",
+ "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
+ "entity_name_is_buffering": "{entity_name} is buffering",
+ "entity_name_is_idle": "{entity_name} is idle",
+ "entity_name_is_paused": "{entity_name} is paused",
+ "entity_name_is_playing": "{entity_name} is playing",
+ "entity_name_starts_buffering": "{entity_name} starts buffering",
+ "entity_name_becomes_idle": "{entity_name} becomes idle",
+ "entity_name_starts_playing": "{entity_name} starts playing",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2869,46 +3164,18 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Close {entity_name} tilt",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Open {entity_name} tilt",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Set {entity_name} tilt position",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} is closing",
- "entity_name_is_opening": "{entity_name} is opening",
- "current_entity_name_position_is": "Current {entity_name} position is",
- "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
- "entity_name_closing": "{entity_name} closing",
- "entity_name_opening": "{entity_name} opening",
- "entity_name_position_changes": "{entity_name} position changes",
- "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
- "both_buttons": "Both buttons",
+ "both_buttons": "Beidi Chnöpf",
"bottom_buttons": "Bottom buttons",
"seventh_button": "Seventh button",
"eighth_button": "Eighth button",
- "dim_down": "Dim down",
- "dim_up": "Dim up",
- "left": "Left",
- "right": "Right",
+ "dim_down": "Abe dimme",
+ "dim_up": "Ufe dimme",
+ "left": "Links",
+ "right": "Rächts",
"side": "Side 6",
"top_buttons": "Top buttons",
"device_awakened": "Device awakened",
+ "trigger_type_remote_button_long_release": "\"{subtype}\" loosglah nach langem Drücke",
"button_rotated_subtype": "Button rotated \"{subtype}\"",
"button_rotated_fast_subtype": "Button rotated fast \"{subtype}\"",
"button_rotation_subtype_stopped": "Button rotation \"{subtype}\" stopped",
@@ -2916,19 +3183,12 @@
"trigger_type_remote_double_tap_any_side": "Device double tapped on any side",
"device_in_free_fall": "Device in free fall",
"device_flipped_degrees": "Device flipped 90 degrees",
- "device_shaken": "Device shaken",
+ "device_shaken": "Grät gschüttlet",
"trigger_type_remote_moved": "Device moved with \"{subtype}\" up",
"trigger_type_remote_moved_any_side": "Device moved with any side up",
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} is cleaning",
- "entity_name_is_docked": "{entity_name} is docked",
- "entity_name_started_cleaning": "{entity_name} started cleaning",
- "entity_name_docked": "{entity_name} docked",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2939,29 +3199,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Disarm {entity_name}",
+ "trigger_entity_name": "Trigger {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} is disarmed",
+ "entity_name_is_triggered": "{entity_name} is triggered",
+ "entity_name_armed_away": "{entity_name} armed away",
+ "entity_name_armed_home": "{entity_name} armed home",
+ "entity_name_armed_night": "{entity_name} armed night",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} disarmed",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Effekte für aui LED uslöse",
+ "action_type_issue_individual_led_effect": "Effekte für individuelli LED uslöse",
+ "squawk": "Kreische",
+ "warn": "Warne",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "Aktiviert mit Gsicht 6",
+ "with_any_specified_face_s_activated": "Mit irgend em ne Gsicht aktiviert",
+ "device_dropped": "Grät la gheie",
+ "device_flipped_subtype": "Grät umdrähit \"{subtype}\"",
+ "device_knocked_subtype": "Grät aaklopfet \"{subtype}\"",
+ "device_offline": "Grät offline",
+ "device_rotated_subtype": "Grät drähit \"{subtype}\"",
+ "device_slid_subtype": "Grät verschobe \"{subtype}\"",
+ "device_tilted": "Grät kippet",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" doppuklicket (alternative Modus)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" lang drückt (alternative Modus)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" loosglah nach langem Drücke (alternative Modus)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" vier Mau klicket (alternative Modus)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" füf Mau klicket (alternative Modus)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" drückt (alternative Modus)",
+ "subtype_released_alternate_mode": "\"{subtype}\" loosglah (alternative Modus)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" drü Mau klicket (alternative Modus)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3092,52 +3377,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3154,6 +3409,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3164,102 +3420,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3271,26 +3436,71 @@
"rgbw_color": "RGBW-color",
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
- "xy_color": "XY-color",
- "brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
+ "brightness_step_description": "Change brightness by an amount.",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Benutzercode vo Schloss lösche.",
+ "code_slot_description": "Codeplatz für e Code yyzfüege.",
+ "code_slot": "Codeplatz",
+ "clear_lock_user": "Schloss-Benutzer lösche",
+ "disable_lock_user_code_description": "Benutzercode uf em ne Schloss deaktiviere.",
+ "code_slot_to_disable": "Codeplatz zum deaktiviere.",
+ "disable_lock_user": "Schlossbenutzer deaktiviere",
+ "enable_lock_user_code_description": "Benutzercode uf em ne Schloss aktiviere.",
+ "code_slot_to_enable": "Codeplatz zum aktiviere.",
+ "enable_lock_user": "Schlossbenutzer aktiviere",
+ "args_description": "Argumänt wo mit em Befäu mitgäbe wärde",
+ "args": "Argumänt",
+ "cluster_id_description": "ZCL-Cluster für d Eigeschaft z bezieh.",
+ "cluster_id": "Cluster-ID",
+ "type_of_the_cluster": "Typ vom Cluster.",
+ "cluster_type": "Cluster-Typ",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Ändpunkt-ID für ds Cluster.",
+ "endpoint_id": "Ändpunkt-ID",
+ "ieee_description": "IEE-Adrässe für ds Grät.",
+ "ieee": "IEEE",
+ "manufacturer": "Härsteuer",
+ "params_description": "Parameter wo mit em Befäu mitgäbe wärde.",
+ "params": "Parameter",
+ "issue_zigbee_cluster_command": "Zigbee-Cluster-Befäu absetze",
+ "group_description": "Hexadezimau-Adrässe vor Gruppe.",
+ "issue_zigbee_group_command": "Zigbee-Gruppe-Befäu absetze",
+ "permit_description": "Erloub Knotepünkt, em Zigbee-Netzwärch byyzträtte.",
+ "time_to_permit_joins": "Zyt für e Byytrit z erloube.",
+ "install_code": "Installationscode",
+ "qr_code": "QR-Code",
+ "source_ieee": "Queu-IEEE",
+ "permit": "Erloube",
+ "reconfigure_device": "Grät nöi konfiguriere",
+ "remove_description": "Chnotepunkt us Zigbee-Netzwärch lösche.",
+ "set_lock_user_code_description": "Benutzercode am Schloss yyrichte.",
+ "code_to_set": "Code zum yyrichte.",
+ "set_lock_user_code": "Schlossbenutzer Cod yyrichte",
+ "attribute_description": "ID vor Eigeschaft.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Zigbee-Cluster-Eigeschaft schrybe",
+ "level": "Level",
+ "strobe": "Stroboskop",
+ "warning_device_squawk": "Warngrät Kreische",
+ "duty_cycle": "Dienstzyklus",
+ "intensity": "Intensität",
+ "warning_device_starts_alert": "Warngrät faht Warnig aa",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3316,27 +3526,307 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Wättervorhärsag übercho.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3375,39 +3865,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Wättervorhärsag übercho.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3415,77 +3872,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3494,83 +3890,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/he/he.json b/packages/core/src/hooks/useLocale/locales/he/he.json
index 473a4a62..c9015da9 100644
--- a/packages/core/src/hooks/useLocale/locales/he/he.json
+++ b/packages/core/src/hooks/useLocale/locales/he/he.json
@@ -66,8 +66,8 @@
"action_to_target": "{action} ליעד",
"target": "יעד",
"humidity_target": "יעד לחות",
- "increment": "הגברה",
- "download": "הורדה",
+ "increment": "הגדלה",
+ "decrement": "הקטנה",
"reset": "איפוס",
"position": "מיקום",
"tilt_position": "מיקום הטיה",
@@ -83,6 +83,7 @@
"reverse": "הפוך",
"medium": "בינוני",
"target_humidity": "יעד לחות.",
+ "state": "State",
"name_target_humidity": "{name} לחות היעד",
"name_current_humidity": "{name} לחות נוכחית",
"name_humidifying": "{name} לחות",
@@ -122,7 +123,7 @@
"text_to_speak": "טקסט לדיבור",
"nothing_playing": "שום דבר לא מתנגן",
"dismiss": "שיחרור",
- "run": "רוץ",
+ "run": "ריצה",
"running": "פועל",
"queued_queued": "{queued} בתור",
"active_running": "{active} פועל...",
@@ -181,6 +182,7 @@
"refresh": "רענן",
"delete": "מחיקה",
"delete_all": "מחיקת הכל",
+ "download": "הורדה",
"duplicate": "שיכפול",
"remove": "הסרה",
"enable": "איפשור",
@@ -217,6 +219,7 @@
"name": "שם",
"optional": "אופציונלי",
"default": "Default",
+ "ui_common_dont_save": "אל תשמור",
"select_media_player": "בחירת נגן מדיה",
"media_browse_not_supported": "נגן המדיה אינו תומך בגלישה למדיה.",
"pick_media": "בחירת מדיה",
@@ -236,7 +239,7 @@
"selector_options": "אפשרויות בורר",
"action": "פעולה",
"area": "שטח",
- "attribute": "שדה",
+ "attribute": "Attribute",
"boolean": "בוליאני",
"condition": "תנאי",
"date": "תאריך",
@@ -257,6 +260,7 @@
"learn_more_about_templating": "למידע נוסף על תבניות.",
"show_password": "הצגת סיסמה",
"hide_password": "הסתרת סיסמה",
+ "ui_components_selectors_background_yaml_info": "תמונת הרקע מוגדרת באמצעות עורך yaml.",
"no_logbook_events_found": "לא נמצאו אירועי יומן רישום.",
"triggered_by": "הופעל על ידי",
"triggered_by_automation": "הופעל על ידי אוטומציה",
@@ -428,7 +432,7 @@
"ui_components_picture_upload_change_picture": "שינוי תמונה",
"state_color": "צבע מצב",
"no_color": "ללא צבע",
- "accent": "מבטא",
+ "accent": "הדגשה",
"disabled": "מושבת",
"inactive": "לא פעיל",
"red": "אדום",
@@ -447,7 +451,7 @@
"amber": "ענבר",
"orange": "כתום",
"deep_orange": "כתום עמוק",
- "heat": "חום",
+ "brown": "חום",
"light_grey": "אפור בהיר",
"grey": "אפור",
"dark_grey": "אפור כהה",
@@ -627,13 +631,14 @@
"enter_qr_code_value": "הזנת ערך קוד QR",
"increase_temperature": "הגברת טמפרטורה",
"decrease_temperature": "הורדת טמפרטורה",
- "copy_to_clipboard": "העתק ללוח",
+ "copy_to_clipboard": "העתקה ללוח",
"yaml_editor_error": "שגיאה בניתוח YAML: {reason}",
"line_line_column_column": "שורה: {line}, עמודה: {column}",
"last_changed": "השתנה לאחרונה",
"last_updated": "עודכן לאחרונה",
"remaining_time": "זמן שנותר",
"install_status": "סטטוס התקנה",
+ "ui_components_multi_textfield_add_item": "הוספת {item}",
"safe_mode": "מצב בטוח",
"all_yaml_configuration": "כל תצורת YAML",
"domain": "תחום",
@@ -737,6 +742,7 @@
"ui_dialogs_more_info_control_update_create_backup": "יצירת גיבוי לפני העדכון",
"update_instructions": "הוראות עדכון",
"current_activity": "פעילות נוכחית",
+ "status": "Status 2",
"vacuum_cleaner_commands": "פקודות שואב אבק:",
"fan_speed": "מהירות מאוורר",
"clean_spot": "ניקוי אזור",
@@ -771,7 +777,7 @@
"default_code": "קוד ברירת מחדל",
"editor_default_code_error": "הקוד אינו תואם לתבנית הקוד",
"entity_id": "מזהה ישות",
- "unit_of_measurement": "יחידת מידה",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "יחידת משקעים",
"display_precision": "דיוק תצוגה",
"default_value": "ברירת מחדל ({value})",
@@ -792,6 +798,7 @@
"cold": "קור",
"connectivity": "קישוריות",
"gas": "גז",
+ "heat": "חימום",
"light": "תאורה",
"motion": "תנועה",
"moving": "נע",
@@ -851,7 +858,7 @@
"restart_home_assistant": "להפעיל מחדש את Home Assistant?",
"advanced_options": "אפשרויות מתקדמות",
"quick_reload": "טעינה מחדש מהירה",
- "reload_description": "טוען מחדש את כל התסריטים הזמינים.",
+ "reload_description": "טוען מחדש קוצבי זמן מתצורת YAML.",
"reloading_configuration": "טעינה מחדש של תצורה",
"failed_to_reload_configuration": "הטעינה מחדש של התצורה נכשלה",
"restart_description": "קוטע את כל האוטומציות והתסריטים הפועלים.",
@@ -879,8 +886,8 @@
"password": "סיסמה",
"regex_pattern": "תבנית רגקס",
"used_for_client_side_validation": "משמש לאימות בצד הלקוח",
- "minimum_value": "ערך מינימלי",
- "maximum_value": "ערך מרבי",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "שדה קלט",
"slider": "מחוון",
"step_size": "גודל הצעד",
@@ -926,7 +933,7 @@
"ui_dialogs_zha_device_info_confirmations_remove": "האם בוודאות ברצונך למחוק התקן זה?",
"quirk": "מוזרות",
"last_seen": "נראה לאחרונה",
- "power_source": "מקור כוח",
+ "power_source": "Power source",
"change_device_name": "שנה שם התקן",
"device_debug_info": "{device} פרטי איתור באגים",
"mqtt_device_debug_info_deserialize": "נסה לנתח הודעות MQTT כ- JSON",
@@ -1129,7 +1136,7 @@
"ui_panel_lovelace_views_confirm_delete_existing_cards_text": "האם בוודאות ברצונך למחוק את התצוגה ''{name}'' שלך? התצוגה כוללת {number} כרטיסים שיימחקו. לא ניתן לבטל פעולה זו.",
"ui_panel_lovelace_views_confirm_delete_text": "האם בוודאות ברצונך למחוק את התצוגה \"{name}\"?",
"edit_dashboard": "עריכת לוח מחוונים",
- "entity_search": "ישויות חיפוש",
+ "entity_search": "חיפוש יישויות",
"reload_resources": "רענון משאבים",
"reload_resources_refresh_header": "האם ברצונך לרענן?",
"edit_ui": "עריכת UI",
@@ -1198,10 +1205,10 @@
"saving_failed": "השמירה נכשלה",
"move_to_dashboard": "העברה ללוח המחוונים",
"ui_panel_lovelace_editor_edit_view_type_helper_others": "לא ניתן לשנות את התצוגה שלך לסוג אחר מכיוון שההעברה אינה נתמכת עדיין. יש להתחיל מאפס עם תצוגה חדשה אם ברצונך להשתמש בסוג תצוגה אחר.",
- "ui_panel_lovelace_editor_edit_view_type_helper_sections": "אין באפשרותך לשנות את התצוגה שלך לשימוש בסוג התצוגה 'סעיפים' מכיוון שההעברה עדיין לא נתמכת. יש להתחיל מאפס עם תצוגה חדשה אם ברצונך להתנסות בתצוגת 'סעיפים'.",
+ "ui_panel_lovelace_editor_edit_view_type_helper_sections": "אין באפשרותך לשנות את התצוגה שלך לשימוש בסוג התצוגה 'מקטעים' מכיוון שההעברה עדיין לא נתמכת. יש להתחיל מאפס עם תצוגה חדשה אם ברצונך להתנסות בתצוגת 'מקטעים'.",
"card_configuration": "תצורת כרטיסייה",
"type_card_configuration": "תצורת כרטיס {type}",
- "edit_card_pick_card": "איזה כרטיס ברצונך להוסיף?",
+ "add_to_dashboard": "הוספה ללוח המחוונים",
"toggle_editor": "עורך בורר דו-מצבי",
"you_have_unsaved_changes": "יש לך שינויים שלא נשמרו",
"edit_card_confirm_cancel": "האם בוודאות ברצונך לבטל?",
@@ -1230,7 +1237,6 @@
"edit_badge_pick_badge": "איזה תג ברצונך להוסיף?",
"add_badge": "הוספת תג",
"suggest_card_header": "יצרנו הצעה עבורך",
- "add_to_dashboard": "הוספה ללוח המחוונים",
"move_card_strategy_error_title": "אי אפשר להזיז את הכרטיס",
"card_moved_successfully": "הכרטיס הועבר בהצלחה",
"error_while_moving_card": "שגיאה בעת העברת הכרטיס",
@@ -1244,7 +1250,7 @@
"choose_a_dashboard": "בחירת לוח מחוונים",
"select_dashboard_get_config_failed": "טעינת תצורת לוח המחוונים שנבחר נכשלה.",
"view_moved_successfully": "התצוגה הועברה בהצלחה",
- "create_section": "יצירת סעיף",
+ "create_section": "יצירת מקטע",
"new_section": "סעיף חדש",
"imported_cards": "כרטיסים מיובאים",
"ui_panel_lovelace_editor_section_add_section": "הוספת מקטע",
@@ -1253,12 +1259,12 @@
"ui_panel_lovelace_editor_section_unnamed_section": "מקטע ללא שם",
"delete_section": "מחיקת מקטע",
"ui_panel_lovelace_editor_delete_section_named_section": "המקטע \"{name}\"",
- "ui_panel_lovelace_editor_delete_section_text_named_section_cards": "סעיף ''{name}'' וכל כרטיסיו יימחקו.",
- "ui_panel_lovelace_editor_delete_section_text_named_section_only": "סעיף ''{name}'' יימחק.",
+ "ui_panel_lovelace_editor_delete_section_text_named_section_cards": "מקטע ''{name}'' וכל כרטיסיו יימחקו.",
+ "ui_panel_lovelace_editor_delete_section_text_named_section_only": "מקטע ''{name}'' יימחק.",
"ui_panel_lovelace_editor_delete_section_text_section_and_cards": "{section} וכל כרטיסיו יימחקו.",
"ui_panel_lovelace_editor_delete_section_text_section_only": "{section} יימחק.",
- "ui_panel_lovelace_editor_delete_section_text_unnamed_section_cards": "סעיף זה וכל כרטיסיו יימחקו.",
- "ui_panel_lovelace_editor_delete_section_text_unnamed_section_only": "סעיף זה יימחק.",
+ "ui_panel_lovelace_editor_delete_section_text_unnamed_section_cards": "מקטע זה וכל כרטיסיו יימחקו.",
+ "ui_panel_lovelace_editor_delete_section_text_unnamed_section_only": "מקטע זה יימחק.",
"ui_panel_lovelace_editor_delete_section_unnamed_section": "מקטע זה",
"edit_section": "עריכת מקטע",
"width": "רוחב",
@@ -1312,14 +1318,14 @@
"section": "מקטע",
"buttons": "כפתורים",
"cast": "Cast",
- "button": "לחצן",
+ "button": "Button",
"entity_filter": "מסנן ישויות",
"secondary_information": "מידע משני",
"gauge": "מד",
"display_as_needle_gauge": "הצגה כמחוון מחט",
"define_severity": "הגדרת חומרה",
"glance": "מבט מהיר",
- "columns": "עמודות",
+ "bar": "עמודות",
"render_cards_as_squares": "הצג כרטיסים כריבועים",
"history_graph": "גרף היסטוריה",
"logarithmic_scale": "סולם לוגריתמי",
@@ -1331,8 +1337,7 @@
"unit": "יחידה",
"show_stat_types": "הצגת סוגי סטטיסטיקה",
"chart_type": "סוג תרשים",
- "line": "שורה",
- "bar": "באר",
+ "line": "קווים",
"hour": "שעה",
"minutes": "5 דקות",
"add_a_statistic": "הוספת סטטיסטיקה",
@@ -1359,7 +1364,7 @@
"paste_from_clipboard": "הדבקה מהלוח",
"generic_paste_description": "הדבקת תג {type} מהלוח",
"refresh_interval": "מרווח זמן לרענון",
- "show_icon": "הצצגת סמליל",
+ "show_icon": "הצגת סמליל",
"show_name": "הצגת שם",
"show_state": "הצגת מצב",
"tap_behavior": "התנהגות בהקשה",
@@ -1370,7 +1375,7 @@
"other_cards": "כרטיסים אחרים",
"custom_cards": "כרטיסים מותאמים אישית",
"heading_style": "סגנון כותרת",
- "subtitle": "כתובית",
+ "subtitle": "כותרת משנה",
"entity_config_name_helper": "גלוי אם נבחר בתוכן מצב",
"state_content": "תוכן המצב",
"displayed_elements": "רכיבים מוצגים",
@@ -1402,6 +1407,12 @@
"graph_type": "סוג גרף",
"to_do_list": "רשימת מטלות",
"hide_completed_items": "הסתרת פריטים שהושלמו",
+ "ui_panel_lovelace_editor_card_todo_list_display_order": "סדר תצוגה",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc": "אלפביתי (א-ת)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_desc": "אלפביתי (ת-א)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc": "תאריך יעד (המוקדם ביותר ראשון)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc": "תאריך יעד (האחרון ראשון)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_none": "ברירת מחדל",
"thermostat": "תרמוסטט",
"thermostat_show_current_as_primary": "הצגת טמפרטורה נוכחית כמידע עיקרי",
"tile": "אריח",
@@ -1511,137 +1522,116 @@
"invalid_display_format": "פורמט תצוגה לא חוקי",
"compare_data": "השוואת נתונים",
"reload_ui": "טען מחדש את ממשק המשתמש",
- "tag": "תג",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "שעון עצר",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "מעקב אחר התקנים",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "tag": "תג",
+ "media_source": "Media Source",
+ "mobile_app": "יישום לנייד",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "גודל קובץ",
+ "group": "Group",
+ "binary_sensor": "חיישן בינארי",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "device_automation": "Device Automation",
+ "person": "אדם",
+ "input_button": "קלט לחצן",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "לוגר",
+ "script": "תסריט",
"fan": "מאוורר",
- "weather": "מזג אוויר",
- "camera": "מצלמה",
+ "scene": "Scene",
"schedule": "לוח זמנים",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "אוטומציה",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "מזג אוויר",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "שיחה",
- "thread": "Thread",
- "http": "HTTP",
- "valve": "שסתום",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "אקלים",
- "binary_sensor": "חיישן בינארי",
- "broadlink": "Broadlink",
+ "assist_satellite": "לוויין סיוע",
+ "automation": "אוטומציה",
+ "system_log": "System Log",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "שסתום",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "צופר",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "אזור",
- "auth": "Auth",
- "event": "אירוע",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "מעקב אחר התקנים",
+ "remote": "שלט",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "מתג",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "שואב אבק",
+ "reolink": "Reolink",
+ "camera": "מצלמה",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "שלט",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "מונה",
- "filesize": "גודל קובץ",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "קלט מספר",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "בודק אספקת החשמל של רספברי פאי",
+ "conversation": "שיחה",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "אקלים",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "אירוע",
+ "zone": "אזור",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "לוח בקרה של אזעקה",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "יישום לנייד",
+ "timer": "שעון עצר",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "מתג",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "מונה",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "בלוטות'",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "קבוצה",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "אדם",
+ "assist_pipeline": "Assist pipeline",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "קלט מספר",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "צופר",
- "bluetooth": "בלוטות'",
- "logger": "לוגר",
- "input_button": "קלט לחצן",
- "vacuum": "שואב אבק",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "בודק אספקת החשמל של רספברי פאי",
- "assist_satellite": "לוויין סיוע",
- "script": "תסריט",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "רמת סוללה",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1670,6 +1660,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "רמת סוללה",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1694,31 +1685,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "גלאי חבלה",
- "next_dawn": "עלות השחר הבא",
- "next_dusk": "בין הערביים הבא",
- "next_midnight": "חצות הבא",
- "next_noon": "הצהריים הבא",
- "next_rising": "הזריחה הבאה",
- "next_setting": "השקיעה הבאה",
- "solar_azimuth": "אזימוט סולארי",
- "solar_elevation": "התרוממות השמש",
- "solar_rising": "השמש עולה",
- "day_of_week": "Day of week",
- "illuminance": "עוצמת הארה",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "מיקום עבודה",
- "created": "נוצר",
- "size": "גודל",
- "size_in_bytes": "גודל בבתים",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "פסק זמן",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "תהליך {process}",
"disk_free_mount_point": "דיסק פנוי {mount_point}",
"disk_use_mount_point": "דיסק בשימוש {mount_point}",
@@ -1740,34 +1716,76 @@
"swap_usage": "שימוש ב-Swap",
"network_throughput_in_interface": "תפוקת רשת נכנסת {interface}",
"network_throughput_out_interface": "תפוקת רשת יוצאת {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "הסיוע בעיצומו",
- "preferred": "מועדף",
- "finished_speaking_detection": "זיהוי הדיבור הסתיים",
- "aggressive": "תוקפני",
- "relaxed": "רגוע",
- "os_agent_version": "גרסת סוכן מערכת ההפעלה",
- "apparmor_version": "גרסת Apparmor",
- "cpu_percent": "אחוז מעבד",
- "disk_free": "דיסק פנוי",
- "disk_total": "סה\"כ דיסק",
- "disk_used": "דיסק בשימוש",
- "memory_percent": "אחוזי זיכרון",
- "version": "גירסה",
- "newest_version": "הגרסה החדשה ביותר",
+ "day_of_week": "Day of week",
+ "illuminance": "עוצמת הארה",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "סינכרון התקנים",
- "estimated_distance": "מרחק משוער",
- "vendor": "ספק",
- "quiet": "שקט",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "כבוי",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "connected": "מחובר",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "צילום מסך",
+ "overlay_message": "הודעת שכבת-על",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "זוהה",
"animal_lens": "Animal lens 1",
@@ -1841,6 +1859,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "כבוי",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1891,7 +1910,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1908,6 +1926,49 @@
"record": "הקלטה",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "נוצר",
+ "size": "גודל",
+ "size_in_bytes": "גודל בבתים",
+ "assist_in_progress": "הסיוע בעיצומו",
+ "quiet": "שקט",
+ "preferred": "מועדף",
+ "finished_speaking_detection": "זיהוי הדיבור הסתיים",
+ "aggressive": "תוקפני",
+ "relaxed": "רגוע",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "גרסת סוכן מערכת ההפעלה",
+ "apparmor_version": "גרסת Apparmor",
+ "cpu_percent": "אחוז מעבד",
+ "disk_free": "דיסק פנוי",
+ "disk_total": "סה\"כ דיסק",
+ "disk_used": "דיסק בשימוש",
+ "memory_percent": "אחוזי זיכרון",
+ "version": "גירסה",
+ "newest_version": "הגרסה החדשה ביותר",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "בתים שהתקבלו",
+ "server_country": "מדינת השרת",
+ "server_id": "מזהה שרת",
+ "server_name": "שם שרת",
+ "ping": "פינג",
+ "upload": "העלאה",
+ "bytes_sent": "Bytes sent",
+ "working_location": "מיקום עבודה",
+ "next_dawn": "עלות השחר הבא",
+ "next_dusk": "בין הערביים הבא",
+ "next_midnight": "חצות הבא",
+ "next_noon": "הצהריים הבא",
+ "next_rising": "הזריחה הבאה",
+ "next_setting": "השקיעה הבאה",
+ "solar_azimuth": "אזימוט סולארי",
+ "solar_elevation": "התרוממות השמש",
+ "solar_rising": "השמש עולה",
"heavy": "כבד",
"mild": "מתון",
"button_down": "לחיצה מטה",
@@ -1925,71 +1986,250 @@
"checking": "בודק",
"closing": "סוגר",
"failure": "כישלון",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "פסק זמן",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "בתים שהתקבלו",
- "server_country": "מדינת השרת",
- "server_id": "מזהה שרת",
- "server_name": "שם שרת",
- "ping": "פינג",
- "upload": "העלאה",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "connected": "מחובר",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "צילום מסך",
- "overlay_message": "הודעת שכבת-על",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "נסרק לאחרונה לפי מזהה התקן",
- "tag_id": "מזהה תג",
- "managed_via_ui": "מנוהל באמצעות ממשק משתמש",
- "min_length": "אורך מינימלי",
- "format": "תבנית",
- "minute": "דקה",
- "second": "שניה",
- "timestamp": "חותמת זמן",
- "stopped": "עצר",
+ "estimated_distance": "מרחק משוער",
+ "vendor": "ספק",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "קבוצת איוורור",
+ "light_group": "קבוצת תאורה",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "בתהליך",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "צלילים זמינים",
"gps_accuracy": "דיוק GPS",
- "paused": "מושהה",
- "finishes_at": "מסיים ב-",
- "remaining": "נותר",
- "restore": "שיחזור",
"last_reset": "איפוס אחרון",
"possible_states": "מצבים אפשריים",
"state_class": "מצב מחלקה",
@@ -2022,81 +2262,12 @@
"sound_pressure": "לחץ קול",
"speed": "Speed",
"sulphur_dioxide": "גופרית דו-חמצנית",
+ "timestamp": "חותמת זמן",
"vocs": "תרכובות אורגניות נדיפות",
"volume_flow_rate": "קצב זרימת נפח",
"stored_volume": "נפח מאוחסן",
"weight": "משקל",
- "cool": "קירור",
- "fan_only": "מאוורר בלבד",
- "heat_cool": "חום/קירור",
- "aux_heat": "מסייע חימום",
- "current_humidity": "לחות נוכחית",
- "current_temperature": "Current Temperature",
- "fan_mode": "מצב מאורר",
- "diffuse": "פיזור",
- "middle": "אמצע",
- "top": "למעלה",
- "current_action": "פעולה נוכחית",
- "cooling": "מקרר",
- "defrosting": "הפשרה",
- "drying": "ייבוש",
- "heating": "חימום",
- "preheating": "חימום מקדים",
- "max_target_humidity": "לחות יעד מקסימלית",
- "max_target_temperature": "טמפרטורת יעד מקסימלית",
- "min_target_humidity": "לחות יעד מינימלית",
- "min_target_temperature": "טמפרטורת יעד מינימלית",
- "boost": "מוגבר",
- "comfort": "נוח",
- "eco": "חסכוני",
- "sleep": "שינה",
- "presets": "קבועות מראש",
- "horizontal_swing_mode": "מצב נדנדה אופקית",
- "swing_mode": "מצב נדנוד",
- "both": "שניהם",
- "horizontal": "אופקי",
- "upper_target_temperature": "טמפרטורת יעד גבוהה",
- "lower_target_temperature": "טמפרטורת יעד נמוכה",
- "target_temperature_step": "שלב טמפרטורת היעד",
- "step": "שלב",
- "not_charging": "לא נטען",
- "disconnected": "מנותק",
- "hot": "חם",
- "no_light": "אין אור",
- "light_detected": "זוהתה תאורה",
- "locked": "נעול",
- "not_moving": "לא נע",
- "unplugged": "לא מחובר",
- "not_running": "לא פועל",
- "safe": "בטוח",
- "unsafe": "לא בטוח",
- "tampering_detected": "זוהתה פתיחה לא מורשית",
- "box": "תיבה",
- "above_horizon": "מעל האופק",
- "below_horizon": "מתחת לאופק",
- "buffering": "אוגר",
- "playing": "מנגן",
- "standby": "בהמתנה",
- "app_id": "מזהה יישום",
- "local_accessible_entity_picture": "תמונת ישות נגישה מקומית",
- "group_members": "חברי הקבוצה",
- "muted": "מושתק",
- "album_artist": "אמן אלבום",
- "content_id": "מזהה תוכן",
- "content_type": "סוג תוכן",
- "channels": "ערוצים",
- "position_updated": "המיקום עודכן",
- "series": "סדרה",
- "all": "הכל",
- "one": "אחד",
- "available_sound_modes": "מצבי סאונד זמינים",
- "available_sources": "מקורות זמינים",
- "receiver": "מקלט",
- "speaker": "רמקול",
- "tv": "טלוויזיה",
- "bluetooth_le": "בלוטות' LE",
- "gps": "GPS",
- "router": "נתב",
+ "managed_via_ui": "מנוהל באמצעות ממשק משתמש",
"color_mode": "Color Mode",
"brightness_only": "בהירות בלבד",
"hs": "HS",
@@ -2112,13 +2283,35 @@
"minimum_color_temperature_kelvin": "טמפרטורת צבע מינימלית (קלווין)",
"minimum_color_temperature_mireds": "טמפרטורת צבע מינימלית (mireds)",
"available_color_modes": "מצבי צבע זמינים",
- "available_tones": "צלילים זמינים",
"docked": "בתחנת עגינה",
"mowing": "Mowing",
+ "paused": "מושהה",
"returning": "חוזר",
+ "min_length": "אורך מינימלי",
+ "format": "תבנית",
+ "running_automations": "הפעלת אוטומציות",
+ "max_running_scripts": "מספר מירבי של תסריטים רצים",
+ "run_mode": "מצב ריצה",
+ "parallel": "מקביל",
+ "queued": "בתור",
+ "single": "יחיד",
+ "auto_update": "עדכון אוטומטי",
+ "installed_version": "גירסה מותקנת",
+ "latest_version": "הגירסה העדכנית",
+ "release_summary": "תקציר שחרור",
+ "release_url": "כתובת אתר של שחרור",
+ "skipped_version": "גרסה מדולגת",
+ "firmware": "קושחה",
"oscillating": "מתנדנד",
"speed_step": "שלב מהירות",
"available_preset_modes": "מצבים מוגדרים מראש זמינים",
+ "minute": "דקה",
+ "second": "שניה",
+ "next_event": "האירוע הבא",
+ "step": "שלב",
+ "bluetooth_le": "בלוטות' LE",
+ "gps": "GPS",
+ "router": "נתב",
"clear_night": "לילה בהיר",
"cloudy": "מעונן",
"exceptional": "יוצא דופן",
@@ -2141,23 +2334,9 @@
"uv_index": "מדד קרינה אולטרה סגולה",
"wind_bearing": "כיוון הרוח",
"wind_gust_speed": "מהירות משב הרוח",
- "auto_update": "עדכון אוטומטי",
- "in_progress": "בתהליך",
- "installed_version": "גירסה מותקנת",
- "latest_version": "הגירסה העדכנית",
- "release_summary": "תקציר שחרור",
- "release_url": "כתובת אתר של שחרור",
- "skipped_version": "גרסה מדולגת",
- "firmware": "קושחה",
- "armed_away": "דרוך - בחוץ",
- "armed_custom_bypass": "מעקף מותאם אישית דרוך",
- "armed_vacation": "דרוך - חופשה",
- "disarming": "מנטרל",
- "changed_by": "השתנה על ידי",
- "code_for_arming": "קוד לדריכה",
- "not_required": "לא נדרש",
- "code_format": "תבנית קוד",
"identify": "זיהוי",
+ "cleaning": "מנקה",
+ "returning_to_dock": "חוזר לתחנת עגינה",
"recording": "מקליט",
"streaming": "מזרים",
"access_token": "אסימון גישה",
@@ -2166,95 +2345,137 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "דגם",
+ "last_scanned_by_device_id_name": "נסרק לאחרונה לפי מזהה התקן",
+ "tag_id": "מזהה תג",
+ "box": "תיבה",
+ "jammed": "תקוע",
+ "locked": "נעול",
+ "locking": "נעילה",
+ "changed_by": "השתנה על ידי",
+ "code_format": "תבנית קוד",
+ "members": "חברים",
+ "listening": "מאזין",
+ "processing": "עיבוד",
+ "responding": "מגיב",
+ "id": "ID",
+ "max_running_automations": "מקסימום אוטומציות רצות",
+ "cool": "קירור",
+ "fan_only": "מאוורר בלבד",
+ "heat_cool": "חום/קירור",
+ "aux_heat": "מסייע חימום",
+ "current_humidity": "לחות נוכחית",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "מצב מאורר",
+ "diffuse": "פיזור",
+ "middle": "אמצע",
+ "top": "למעלה",
+ "current_action": "פעולה נוכחית",
+ "cooling": "מקרר",
+ "defrosting": "הפשרה",
+ "drying": "ייבוש",
+ "preheating": "חימום מקדים",
+ "max_target_humidity": "לחות יעד מקסימלית",
+ "max_target_temperature": "טמפרטורת יעד מקסימלית",
+ "min_target_humidity": "לחות יעד מינימלית",
+ "min_target_temperature": "טמפרטורת יעד מינימלית",
+ "boost": "מוגבר",
+ "comfort": "נוח",
+ "eco": "חסכוני",
+ "sleep": "שינה",
+ "presets": "קבועות מראש",
+ "horizontal_swing_mode": "מצב נדנדה אופקית",
+ "swing_mode": "מצב נדנוד",
+ "both": "שניהם",
+ "horizontal": "אופקי",
+ "upper_target_temperature": "טמפרטורת יעד גבוהה",
+ "lower_target_temperature": "טמפרטורת יעד נמוכה",
+ "target_temperature_step": "שלב טמפרטורת היעד",
+ "stopped": "עצר",
+ "garage": "מוסך",
+ "not_charging": "לא נטען",
+ "disconnected": "מנותק",
+ "hot": "חם",
+ "no_light": "אין אור",
+ "light_detected": "זוהתה תאורה",
+ "not_moving": "לא נע",
+ "unplugged": "לא מחובר",
+ "not_running": "לא פועל",
+ "safe": "בטוח",
+ "unsafe": "לא בטוח",
+ "tampering_detected": "זוהתה פתיחה לא מורשית",
+ "buffering": "אוגר",
+ "playing": "מנגן",
+ "standby": "בהמתנה",
+ "app_id": "מזהה יישום",
+ "local_accessible_entity_picture": "תמונת ישות נגישה מקומית",
+ "group_members": "חברי הקבוצה",
+ "muted": "מושתק",
+ "album_artist": "אמן אלבום",
+ "content_id": "מזהה תוכן",
+ "content_type": "סוג תוכן",
+ "channels": "ערוצים",
+ "position_updated": "המיקום עודכן",
+ "series": "סדרה",
+ "all": "הכל",
+ "one": "אחד",
+ "available_sound_modes": "מצבי סאונד זמינים",
+ "available_sources": "מקורות זמינים",
+ "receiver": "מקלט",
+ "speaker": "רמקול",
+ "tv": "טלוויזיה",
"end_time": "שעת סיום",
"start_time": "שעת התחלה",
- "next_event": "האירוע הבא",
- "garage": "מוסך",
"event_type": "סוג אירוע",
"event_types": "סוגי אירועים",
"doorbell": "פעמון דלת",
- "running_automations": "הפעלת אוטומציות",
- "id": "ID",
- "max_running_automations": "מקסימום אוטומציות רצות",
- "run_mode": "מצב ריצה",
- "parallel": "מקביל",
- "queued": "בתור",
- "single": "יחיד",
- "cleaning": "מנקה",
- "returning_to_dock": "חוזר לתחנת עגינה",
- "listening": "מאזין",
- "processing": "עיבוד",
- "responding": "מגיב",
- "max_running_scripts": "מספר מירבי של תסריטים רצים",
- "jammed": "תקוע",
- "locking": "נעילה",
- "members": "חברים",
- "known_hosts": "מארחים ידועים",
- "google_cast_configuration": "תצורת Google Cast",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "תצורת החשבון כבר נקבעה",
- "abort_already_in_progress": "זרימת התצורה כבר מתבצעת",
- "failed_to_connect": "ההתחברות נכשלה",
- "invalid_access_token": "אסימון גישה לא חוקי",
- "invalid_authentication": "אימות לא חוקי",
- "received_invalid_token_data": "התקבלו נתוני אסימון לא חוקיים.",
- "abort_oauth_failed": "שגיאה בעת קבלת אסימון גישה.",
- "timeout_resolving_oauth_token": "חלף הזמן לפתרון אסימון OAuth.",
- "abort_oauth_unauthorized": "שגיאת הרשאת OAuth בעת השגת אסימון גישה.",
- "re_authentication_was_successful": "האימות מחדש הצליח",
- "unexpected_error": "שגיאה בלתי צפויה",
- "successfully_authenticated": "אומת בהצלחה",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "בחירת שיטת אימות",
- "authentication_expired_for_name": "פג תוקף האימות עבור {name}",
+ "above_horizon": "מעל האופק",
+ "below_horizon": "מתחת לאופק",
+ "armed_away": "דרוך - בחוץ",
+ "armed_custom_bypass": "מעקף מותאם אישית דרוך",
+ "armed_vacation": "דרוך - חופשה",
+ "disarming": "מנטרל",
+ "code_for_arming": "קוד לדריכה",
+ "not_required": "לא נדרש",
+ "finishes_at": "מסיים ב-",
+ "remaining": "נותר",
+ "restore": "שיחזור",
"device_is_already_configured": "תצורת ההתקן כבר נקבעה",
+ "failed_to_connect": "ההתחברות נכשלה",
"abort_no_devices_found": "לא נמצאו התקנים ברשת",
+ "re_authentication_was_successful": "האימות מחדש הצליח",
"re_configuration_was_successful": "קביעת התצורה מחדש הצליחה",
"connection_error_error": "שגיאת חיבור: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
"camera_stream_authentication_failed": "Camera stream authentication failed",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "Enable camera live view",
- "username": "שם משתמש",
+ "username": "Username",
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "לאמת",
+ "authentication_expired_for_name": "פג תוקף האימות עבור {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "תצורתו כבר נקבעה. רק תצורה אחת אפשרית.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "האם ברצונך להתחיל בהגדרה?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "שגיאה בלתי צפויה",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "מפתח הצפנה",
+ "key_id": "Key ID",
+ "password_description": "סיסמה להגנה על הגיבוי.",
+ "mac_address": "כתובת MAC",
"service_is_already_configured": "שירות זה כבר מוגדר",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "זרימת התצורה כבר מתבצעת",
"abort_invalid_host": "שם מארח או כתובת IP לא חוקיים",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "אימות לא חוקי",
"name_model_at_host": "{name} ({model} ב-{host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2262,65 +2483,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "השילוב דורש אישורי יישום.",
- "timeout_establishing_connection": "פסק זמן ליצירת חיבור",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "הנתיב אסור",
- "path_is_not_valid": "הנתיב אינו חוקי",
- "path_to_file": "נתיב לקובץ",
- "api_key": "מפתח API",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "bluetooth_confirm_description": "האם ברצונך להגדיר את {name}?",
- "adapter": "מתאם",
- "multiple_adapters_description": "בחירת מתאם Bluetooth להגדרה",
- "arm_away_action": "פעולת דריכת חוץ",
- "arm_custom_bypass_action": "הפעלת פעולת מעקף מותאמת אישית",
- "arm_home_action": "פעולת דריכה בבית",
- "arm_night_action": "פעולת דריכת לילה",
- "arm_vacation_action": "פעולת דריכת חופשה",
- "code_arm_required": "דריכת קוד נדרשת",
- "disarm_action": "פעולת נטרול דריכה",
- "trigger_action": "פעולת גורם מפעיל",
- "value_template": "תבנית ערך",
- "template_alarm_control_panel": "תבנית לוח בקרה של אזעקה",
- "device_class": "מחלקת התקנים",
- "state_template": "מצב תבנית",
- "template_binary_sensor": "חיישן בינארי של תבנית",
- "actions_on_press": "פעולות בלחיצה",
- "template_button": "תבנית לחצן",
- "verify_ssl_certificate": "אימות אישור SSL",
- "template_image": "תבנית תמונה",
- "actions_on_set_value": "פעולות על ערך מוגדר",
- "step_value": "ערך שלב",
- "template_number": "תבנית מספר",
- "available_options": "אפשרויות זמינות",
- "actions_on_select": "פעולות בבחירה",
- "template_select": "בחירת תבנית",
- "template_sensor": "חיישן תבנית",
- "actions_on_turn_off": "פעולות בכיבוי",
- "actions_on_turn_on": "פעולות בהפעלה",
- "template_switch": "תבנית מתג",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "תבנית חיישן בינארי",
- "template_a_select": "תבנית בחירה",
- "template_a_sensor": "תבנית חיישן",
- "template_helper": "מסייע תבניות",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "תצורת החשבון כבר נקבעה",
+ "invalid_access_token": "אסימון גישה לא חוקי",
+ "received_invalid_token_data": "התקבלו נתוני אסימון לא חוקיים.",
+ "abort_oauth_failed": "שגיאה בעת קבלת אסימון גישה.",
+ "timeout_resolving_oauth_token": "חלף הזמן לפתרון אסימון OAuth.",
+ "abort_oauth_unauthorized": "שגיאת הרשאת OAuth בעת השגת אסימון גישה.",
+ "successfully_authenticated": "אומת בהצלחה",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "בחירת שיטת אימות",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "כתובת שידור",
+ "broadcast_port": "פתחת שידור",
"abort_addon_info_failed": "כישלון בקבלת מידע עבור ההרחבה {addon} .",
"abort_addon_install_failed": "התקנת ההרחבה {addon} נכשלה.",
"abort_addon_start_failed": "הפעלת ההרחבה {addon} נכשלה.",
@@ -2347,48 +2530,48 @@
"starting_add_on": "הפעלת הרחבה",
"menu_options_addon": "שימוש בהרחבה הרשמית {addon}.",
"menu_options_broker": "יש להזין ידנית את פרטי חיבור המתווך של MQTT",
- "bridge_is_already_configured": "המגשר כבר מוגדר",
- "no_deconz_bridges_discovered": "לא נמצאו מגשרי deCONZ",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "מופע deCONZ עודכן עם כתובת מארחת חדשה",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "לא ניתן היה לקבל מפתח API",
- "link_with_deconz": "קשר עם deCONZ",
- "select_discovered_deconz_gateway": "בחר שער deCONZ שהתגלה",
- "pin_code": "קוד PIN",
- "discovered_android_tv": "גילה את טלוויזית אנדרואיד",
- "abort_mdns_missing_mac": "כתובת MAC חסרה במאפייני MDNS.",
- "abort_mqtt_missing_api": "חסרה פתחת API במאפייני MQTT.",
- "abort_mqtt_missing_ip": "חסרה כתובת IP במאפייני MQTT.",
- "abort_mqtt_missing_mac": "חסרה כתובת MAC במאפייני MQTT.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "הפעולה התקבלה",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "לא נמצאו שירותים בנקודת הקצה",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "מפתח API",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "לא ניתן להתחבר. פרטים: {error_detail}",
+ "unknown_details_error_detail": "לא ידוע. פרטים: {error_detail}",
+ "uses_an_ssl_certificate": "שימוש באישור SSL",
+ "verify_ssl_certificate": "אימות אישור SSL",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "bluetooth_confirm_description": "האם ברצונך להגדיר את {name}?",
+ "adapter": "מתאם",
+ "multiple_adapters_description": "בחירת מתאם Bluetooth להגדרה",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "כתובת שידור",
- "broadcast_port": "פתחת שידור",
- "mac_address": "כתובת MAC",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "פסק זמן ליצירת חיבור",
+ "link_google_account": "קישור חשבון גוגל",
+ "path_is_not_allowed": "הנתיב אסור",
+ "path_is_not_valid": "הנתיב אינו חוקי",
+ "path_to_file": "נתיב לקובץ",
+ "pin_code": "קוד PIN",
+ "discovered_android_tv": "גילה את טלוויזית אנדרואיד",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "כל הישויות",
"hide_members": "הסתרת חברים",
"create_group": "יצירת קבוצה",
+ "device_class": "Device Class",
"ignore_non_numeric": "התעלמות מערכים שאינם מספריים",
"data_round_digits": "עיגול ערך למספר מספרים עשרוניים",
"type": "סוג",
@@ -2396,29 +2579,201 @@
"button_group": "קבוצת לחצנים",
"cover_group": "קבוצת וילונות",
"event_group": "קבוצת אירוע",
- "fan_group": "קבוצת איוורור",
- "light_group": "קבוצת תאורה",
"lock_group": "קבוצת נעילה",
"media_player_group": "קבוצת נגני מדיה",
"notify_group": "הודעה לקבוצה",
"sensor_group": "קבוצת חיישנים",
"switch_group": "קבוצת מתגים",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "סיסמה להגנה על הגיבוי.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "לא ניתן להתחבר. פרטים: {error_detail}",
- "unknown_details_error_detail": "לא ידוע. פרטים: {error_detail}",
- "uses_an_ssl_certificate": "שימוש באישור SSL",
+ "known_hosts": "מארחים ידועים",
+ "google_cast_configuration": "תצורת Google Cast",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "כתובת MAC חסרה במאפייני MDNS.",
+ "abort_mqtt_missing_api": "חסרה פתחת API במאפייני MQTT.",
+ "abort_mqtt_missing_ip": "חסרה כתובת IP במאפייני MQTT.",
+ "abort_mqtt_missing_mac": "חסרה כתובת MAC במאפייני MQTT.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "הפעולה התקבלה",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "המגשר כבר מוגדר",
+ "no_deconz_bridges_discovered": "לא נמצאו מגשרי deCONZ",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "מופע deCONZ עודכן עם כתובת מארחת חדשה",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "לא ניתן היה לקבל מפתח API",
+ "link_with_deconz": "קשר עם deCONZ",
+ "select_discovered_deconz_gateway": "בחר שער deCONZ שהתגלה",
+ "abort_missing_credentials": "השילוב דורש אישורי יישום.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "לא נמצאו שירותים בנקודת הקצה",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "פעולת דריכת חוץ",
+ "arm_custom_bypass_action": "הפעלת פעולת מעקף מותאמת אישית",
+ "arm_home_action": "פעולת דריכה בבית",
+ "arm_night_action": "פעולת דריכת לילה",
+ "arm_vacation_action": "פעולת דריכת חופשה",
+ "code_arm_required": "דריכת קוד נדרשת",
+ "disarm_action": "פעולת נטרול דריכה",
+ "trigger_action": "פעולת גורם מפעיל",
+ "value_template": "תבנית ערך",
+ "template_alarm_control_panel": "תבנית לוח בקרה של אזעקה",
+ "state_template": "מצב תבנית",
+ "template_binary_sensor": "חיישן בינארי של תבנית",
+ "actions_on_press": "פעולות בלחיצה",
+ "template_button": "תבנית לחצן",
+ "template_image": "תבנית תמונה",
+ "actions_on_set_value": "פעולות על ערך מוגדר",
+ "step_value": "ערך שלב",
+ "template_number": "תבנית מספר",
+ "available_options": "אפשרויות זמינות",
+ "actions_on_select": "פעולות בבחירה",
+ "template_select": "בחירת תבנית",
+ "template_sensor": "חיישן תבנית",
+ "actions_on_turn_off": "פעולות בכיבוי",
+ "actions_on_turn_on": "פעולות בהפעלה",
+ "template_switch": "תבנית מתג",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "תבנית חיישן בינארי",
+ "template_a_select": "תבנית בחירה",
+ "template_a_sensor": "תבנית חיישן",
+ "template_helper": "מסייע תבניות",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "העלאת גיבוי ידני",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "העלאת קובץ",
+ "radio_is_not_recommended": "רדיו אינו מומלץ",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "שקול התקנים המופעלים באמצעות סוללה כלא זמינים לאחר (שניות)",
+ "zha_options_consider_unavailable_mains": "שקול התקנים המופעלים על ידי רשת חשמל לא זמינים לאחר (שניות)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "חברי הקבוצה מניחים את מצב הקבוצה",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "אפשרויות כלליות",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "ספירת נסיונות חוזרים",
+ "data_process": "תהליכים להוספה כחיישנים",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "אפשרויות מתווך",
+ "enable_birth_message": "אפשר הודעת לידה",
+ "birth_message_payload": "מטען הודעת לידה",
+ "birth_message_qos": "הודעת לידה QoS",
+ "birth_message_retain": "הודעת לידה נשמרת",
+ "birth_message_topic": "נושא הודעת לידה",
+ "enable_discovery": "איפשור גילוי",
+ "discovery_prefix": "גילוי לפי קידומת",
+ "enable_will_message": "הפיכת הודעה לזמינה",
+ "will_message_payload": "האם תוכן מנה של הודעה",
+ "will_message_qos": "האם הודעת QoS",
+ "will_message_retain": "האם ההודעה תישמר",
+ "will_message_topic": "האם נושא הודעה",
+ "data_description_discovery": "אפשרות להפעלת גילוי אוטומטי של MQTT.",
+ "mqtt_options": "אפשרויות MQTT",
+ "passive_scanning": "סריקה פסיבית",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "קוד שפה",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "data_app_delete": "סימון כדי למחוק יישום זה",
+ "application_icon": "סמליל יישום",
+ "application_name": "שם יישום",
+ "configure_application_id_app_id": "קביעת תצורה של מזהה היישום {app_id}",
+ "configure_android_apps": "קביעת תצורה של יישומי אנדרואיד",
+ "configure_applications_list": "קביעת תצורה של רשימת יישומים",
"ignore_cec": "להתעלם מ-CEC",
"allowed_uuids": "UUIDs מותרים",
"advanced_google_cast_configuration": "תצורה מתקדמת של Google Cast",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
+ "select_test_server": "Select test server",
+ "data_calendar_access": "גישת Home Assistant ליומן גוגל",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
"device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
"not_supported": "Not Supported",
"localtuya_configuration": "LocalTuya Configuration",
@@ -2435,10 +2790,9 @@
"data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
"data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
"data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
"configure_tuya_device": "Configure Tuya device",
"configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "מזהה התקן",
+ "device_id": "Device ID",
"local_key": "Local key",
"protocol_version": "Protocol Version",
"data_entities": "Entities (uncheck an entity to remove it)",
@@ -2507,92 +2861,13 @@
"enable_heuristic_action_optional": "Enable heuristic action (optional)",
"data_dps_default_value": "Default value when un-initialised (optional)",
"minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "גישת Home Assistant ליומן גוגל",
- "data_process": "תהליכים להוספה כחיישנים",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "סריקה פסיבית",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "אפשרויות מתווך",
- "enable_birth_message": "אפשר הודעת לידה",
- "birth_message_payload": "מטען הודעת לידה",
- "birth_message_qos": "הודעת לידה QoS",
- "birth_message_retain": "הודעת לידה נשמרת",
- "birth_message_topic": "נושא הודעת לידה",
- "enable_discovery": "איפשור גילוי",
- "discovery_prefix": "גילוי לפי קידומת",
- "enable_will_message": "הפיכת הודעה לזמינה",
- "will_message_payload": "האם תוכן מנה של הודעה",
- "will_message_qos": "האם הודעת QoS",
- "will_message_retain": "האם ההודעה תישמר",
- "will_message_topic": "האם נושא הודעה",
- "data_description_discovery": "אפשרות להפעלת גילוי אוטומטי של MQTT.",
- "mqtt_options": "אפשרויות MQTT",
"data_allow_nameless_uuids": "כרגע מותר UUIDs. יש לבטל את הסימון כדי להסיר",
"data_new_uuid": "יש להזין UUID מותר חדש",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
- "data_app_delete": "סימון כדי למחוק יישום זה",
- "application_icon": "סמליל יישום",
- "application_name": "שם יישום",
- "configure_application_id_app_id": "קביעת תצורה של מזהה היישום {app_id}",
- "configure_android_apps": "קביעת תצורה של יישומי אנדרואיד",
- "configure_applications_list": "קביעת תצורה של רשימת יישומים",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "קוד שפה",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "ספירת נסיונות חוזרים",
- "select_test_server": "Select test server",
- "toggle_entity_name": "החלפת {entity_name}",
- "turn_off_entity_name": "כיבוי {entity_name}",
- "turn_on_entity_name": "הפעלת {entity_name}",
- "entity_name_is_off": "{entity_name} כבוי",
- "entity_name_is_on": "{entity_name} מופעל",
- "trigger_type_changed_states": "{entity_name} הופעל או כובה",
- "entity_name_turned_off": "{entity_name} כובה",
- "entity_name_turned_on": "{entity_name} הופעל",
+ "reconfigure_zha": "הגדרה מחדש של ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "העוצמה הנוכחית {entity_name} מסתמנת",
"condition_type_is_aqi": "מדד איכות האוויר הנוכחי {entity_name}",
"current_entity_name_area": "השטח הנוכחי של {entity_name}",
@@ -2686,6 +2961,57 @@
"entity_name_water_changes": "{entity_name} שינויי מים",
"entity_name_weight_changes": "{entity_name} שינויים במשקל",
"entity_name_wind_speed_changes": "{entity_name} שינויים במהירות הרוח",
+ "decrease_entity_name_brightness": "הפחת את הבהירות של {entity_name}",
+ "increase_entity_name_brightness": "הגבר את הבהירות של {entity_name}",
+ "flash_entity_name": "הבהב את {entity_name}",
+ "toggle_entity_name": "החלפת {entity_name}",
+ "turn_off_entity_name": "כיבוי {entity_name}",
+ "turn_on_entity_name": "הפעלת {entity_name}",
+ "entity_name_is_off": "{entity_name} כבוי",
+ "entity_name_is_on": "{entity_name} מופעל",
+ "flash": "הבהוב",
+ "trigger_type_changed_states": "{entity_name} הופעל או כובה",
+ "entity_name_turned_off": "{entity_name} כובה",
+ "entity_name_turned_on": "{entity_name} הופעל",
+ "set_value_for_entity_name": "הגדר ערך עבור {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} זמינות העדכון השתנתה",
+ "entity_name_became_up_to_date": "{entity_name} הפך למעודכן",
+ "trigger_type_update": "{entity_name} קיבל עדכון זמין",
+ "first_button": "כפתור ראשון",
+ "second_button": "כפתור שני",
+ "third_button": "כפתור שלישי",
+ "fourth_button": "כפתור רביעי",
+ "fifth_button": "כפתור חמישי",
+ "sixth_button": "כפתור שישי",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" שוחרר לאחר לחיצה ממושכת",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} בבית",
+ "entity_name_is_not_home": "{entity_name} לא בבית",
+ "entity_name_enters_a_zone": "{entity_name} נכנס לאזור",
+ "entity_name_leaves_a_zone": "{entity_name} יצא מאזור",
+ "press_entity_name_button": "לחץ על לחצן {entity_name}",
+ "entity_name_has_been_pressed": "{entity_name} נלחץ",
+ "let_entity_name_clean": "אפשר ל-{entity_name} לנקות",
+ "action_type_dock": "אפשר ל-{entity_name} לחזור לתחנת טעינה",
+ "entity_name_is_cleaning": "{entity_name} מנקה",
+ "entity_name_is_docked": "{entity_name} בתחנת עגינה",
+ "entity_name_started_cleaning": "{entity_name} התחיל לנקות",
+ "entity_name_docked": "{entity_name} חזר לתחנת עגינה",
+ "send_a_notification": "שליחת הודעה",
+ "lock_entity_name": "נעילת {entity_name}",
+ "open_entity_name": "פתיחת {entity_name}",
+ "entity_name_locked": "{entity_name} נעול",
+ "entity_name_is_open": "{entity_name} פתוח",
+ "entity_name_is_unlocked": "{entity_name} אינו נעול",
+ "entity_name_opened": "{entity_name} נפתח",
+ "entity_name_unlocked": "{entity_name} לא נעול",
"action_type_set_hvac_mode": "שנה מצב HVAC ב-{entity_name}",
"change_preset_on_entity_name": "שנה הגדרה קבועה מראש ב-{entity_name}",
"hvac_mode": "מצב HVAC",
@@ -2693,8 +3019,18 @@
"entity_name_measured_humidity_changed": "הלחות הנמדדת {entity_name} השתנתה",
"entity_name_measured_temperature_changed": "הטמפרטורה הנמדדת של {entity_name} השתנתה",
"entity_name_hvac_mode_changed": "{entity_name} ממצב HVAC השתנה",
- "set_value_for_entity_name": "הגדרת ערך עבור {entity_name}",
- "value": "ערך",
+ "close_entity_name": "סגירת {entity_name}",
+ "close_entity_name_tilt": "סגירת הטיה של {entity_name}",
+ "open_entity_name_tilt": "פתיחת הטיית {entity_name}",
+ "set_entity_name_position": "הגדרת מיקום {entity_name}",
+ "set_entity_name_tilt_position": "הגדרת מיקום הטיית {entity_name}",
+ "stop_entity_name": "עצור {entity_name}",
+ "entity_name_is_closed": "{entity_name} סגור",
+ "entity_name_closed": "{entity_name} נסגר",
+ "current_entity_name_position_is": "המיקום הנוכחי {entity_name} הוא",
+ "condition_type_is_tilt_position": "מיקום ההטיה הנוכחי {entity_name} הוא",
+ "entity_name_position_changes": "{entity_name} שינויי מיקום",
+ "entity_name_tilt_position_changes": "{entity_name} שינויים במיקום הטיה",
"entity_name_battery_low": "סוללת {entity_name} חלשה",
"entity_name_charging": "{entity_name} בטעינה",
"condition_type_is_co": "{entity_name} מזהה פחמן חד חמצני",
@@ -2703,7 +3039,6 @@
"entity_name_is_detecting_gas": "{entity_name} מזהה גז",
"entity_name_is_hot": "{entity_name} חם",
"entity_name_is_detecting_light": "{entity_name} מזהה אור",
- "entity_name_locked": "{entity_name} נעול",
"entity_name_is_moist": "{entity_name} לח",
"entity_name_is_detecting_motion": "{entity_name} מזהה תנועה",
"entity_name_is_moving": "{entity_name} זז",
@@ -2721,18 +3056,15 @@
"entity_name_is_not_cold": "{entity_name} לא קר",
"entity_name_unplugged": "{entity_name} מנותק",
"entity_name_is_not_hot": "{entity_name} אינו חם",
- "entity_name_is_unlocked": "{entity_name} אינו נעול",
"entity_name_is_dry": "{entity_name} יבש",
"entity_name_is_not_moving": "{entity_name} אינו זז",
"entity_name_is_not_occupied": "{entity_name} אינו תפוס",
- "entity_name_closing": "{entity_name} נסגר",
"entity_name_not_powered": "{entity_name} אינו מופעל",
"entity_name_not_present": "{entity_name} אינו קיים",
"entity_name_is_not_running": "{entity_name} אינו פועל",
"condition_type_is_not_tampered": "{entity_name} אינו מזהה חבלה",
"entity_name_is_safe": "{entity_name} בטוח",
"entity_name_is_occupied": "{entity_name} תפוס",
- "entity_name_is_open": "{entity_name} פתוח",
"entity_name_present": "{entity_name} נוכח",
"entity_name_is_detecting_problem": "{entity_name} מזהה בעיה",
"entity_name_is_running": "{entity_name} פועל",
@@ -2757,28 +3089,23 @@
"entity_name_stopped_detecting_problem": "{entity_name} הפסיק לזהות בעיה",
"entity_name_stopped_detecting_smoke": "{entity_name} הפסיק לזהות עשן",
"entity_name_stopped_detecting_sound": "{entity_name} הפסיק לזהות צליל",
- "entity_name_became_up_to_date": "{entity_name} הפך למעודכן",
"entity_name_stopped_detecting_vibration": "{entity_name} הפסיק לזהות רטט",
"entity_name_battery_normal": "{entity_name} סוללה רגילה",
"entity_name_became_not_cold": "{entity_name} נעשה לא קר",
"entity_name_became_not_hot": "{entity_name} הפך לא חם",
- "entity_name_unlocked": "{entity_name} לא נעול",
"entity_name_became_dry": "{entity_name} התייבש",
"entity_name_stopped_moving": "{entity_name} הפסיק לזוז",
"entity_name_became_not_occupied": "{entity_name} לא נתפס",
- "entity_name_closed": "{entity_name} סגור",
"trigger_type_not_running": "{entity_name} אינו פועל עוד",
"entity_name_stopped_detecting_tampering": "{entity_name} הפסיק לזהות חבלה",
"entity_name_became_safe": "{entity_name} הפך לבטוח",
"entity_name_became_occupied": "{entity_name} נתפס",
- "entity_name_opened": "{entity_name} נפתח",
"entity_name_started_detecting_problem": "{entity_name} החלה לזהות בעיה",
"entity_name_started_running": "{entity_name} החל לפעול",
"entity_name_started_detecting_smoke": "{entity_name} החל לזהות עשן",
"entity_name_started_detecting_sound": "{entity_name} החל לזהות צליל",
"entity_name_started_detecting_tampering": "{entity_name} החל לזהות חבלה",
"entity_name_became_unsafe": "{entity_name} הפך ללא בטוח",
- "trigger_type_update": "{entity_name} קיבל עדכון זמין",
"entity_name_started_detecting_vibration": "{entity_name} החל לזהות רטט",
"entity_name_is_buffering": "{entity_name} אוגר",
"entity_name_is_idle": "{entity_name} ממתין",
@@ -2787,29 +3114,6 @@
"entity_name_starts_buffering": "{entity_name} מתחיל לאגור",
"entity_name_becomes_idle": "{entity_name} הופך לממתין",
"entity_name_starts_playing": "{entity_name} מתחיל לנגן",
- "entity_name_is_home": "{entity_name} בבית",
- "entity_name_is_not_home": "{entity_name} לא בבית",
- "entity_name_enters_a_zone": "{entity_name} נכנס לאזור",
- "entity_name_leaves_a_zone": "{entity_name} יצא מאזור",
- "decrease_entity_name_brightness": "הפחת את הבהירות של {entity_name}",
- "increase_entity_name_brightness": "הגבר את הבהירות של {entity_name}",
- "flash_entity_name": "הבהב את {entity_name}",
- "flash": "הבהוב",
- "entity_name_update_availability_changed": "{entity_name} זמינות העדכון השתנתה",
- "arm_entity_name_away": "דריכת {entity_name} לא בבית",
- "arm_entity_name_home": "דריכת {entity_name} הביתה",
- "arm_entity_name_night": "דריכת {entity_name} לילה",
- "arm_entity_name_vacation": "דריכת {entity_name} חופשה",
- "disarm_entity_name": "ניטרול {entity_name}",
- "entity_name_armed_away": "{entity_name} דרוך לא בבית",
- "entity_name_is_armed_home": "{entity_name} דרוך בית",
- "entity_name_armed_night": "{entity_name} דרוך לילה",
- "entity_name_is_armed_vacation": "{entity_name} בחופשה דרוכה",
- "entity_name_disarmed": "{entity_name} מנוטרל",
- "entity_name_armed_home": "{entity_name} דרוך בבית",
- "entity_name_armed_vacation": "{entity_name} חופשה דרוכה",
- "press_entity_name_button": "לחץ על לחצן {entity_name}",
- "entity_name_has_been_pressed": "{entity_name} נלחץ",
"action_type_select_first": "שינוי {entity_name} לאפשרות הראשונה",
"action_type_select_last": "שינוי האפשרות {entity_name} לאפשרות האחרונה",
"action_type_select_next": "שינוי {entity_name} לאפשרות הבאה",
@@ -2819,32 +3123,7 @@
"cycle": "מחזור",
"from": "החל",
"entity_name_option_changed": "האפשרות {entity_name} השתנתה",
- "close_entity_name": "סגירת {entity_name}",
- "close_entity_name_tilt": "סגירת הטיה של {entity_name}",
- "open_entity_name": "פתיחת {entity_name}",
- "open_entity_name_tilt": "פתיחת הטיית {entity_name}",
- "set_entity_name_position": "הגדרת מיקום {entity_name}",
- "set_entity_name_tilt_position": "הגדרת מיקום הטיית {entity_name}",
- "stop_entity_name": "עצור {entity_name}",
- "current_entity_name_position_is": "המיקום הנוכחי {entity_name} הוא",
- "condition_type_is_tilt_position": "מיקום ההטיה הנוכחי {entity_name} הוא",
- "entity_name_position_changes": "{entity_name} שינויי מיקום",
- "entity_name_tilt_position_changes": "{entity_name} שינויים במיקום הטיה",
- "first_button": "לחצן ראשון",
- "second_button": "לחצן שני",
- "third_button": "לחצן שלישי",
- "fourth_button": "לחצן רביעי",
- "fifth_button": "כפתור חמישי",
- "sixth_button": "כפתור שישי",
- "subtype_double_push": "{subtype} לחיצה כפולה",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" שוחרר לאחר לחיצה ממושכת",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_push": "{subtype} לחיצה משולשת",
- "both_buttons": "שני הלחצנים",
+ "both_buttons": "שני הכפתורים",
"bottom_buttons": "Bottom buttons",
"seventh_button": "כפתור שביעי",
"eighth_button": "כפתור שמיני",
@@ -2869,39 +3148,56 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "שליחת הודעה",
- "let_entity_name_clean": "אפשר ל-{entity_name} לנקות",
- "action_type_dock": "אפשר ל-{entity_name} לחזור לתחנת טעינה",
- "entity_name_is_cleaning": "{entity_name} מנקה",
- "entity_name_is_docked": "{entity_name} בתחנת עגינה",
- "entity_name_started_cleaning": "{entity_name} התחיל לנקות",
- "entity_name_docked": "{entity_name} חזר לתחנת עגינה",
"subtype_button_down": "{subtype} לחצן מטה",
"subtype_button_up": "{subtype} לחצןן מעלה",
+ "subtype_double_push": "{subtype} לחיצה כפולה",
"subtype_long_push": "{subtype} לחיצה ממושכת",
"trigger_type_long_single": "{subtype} לחיצה ממושכת ולאחר מכן לחיצה בודדת",
"subtype_single_push": "{subtype} לחיצה בודדת",
"trigger_type_single_long": "{subtype} לחיצה בודדת ולאחר מכן לחיצה ממושכת",
- "lock_entity_name": "נעילת {entity_name}",
+ "subtype_triple_push": "{subtype} לחיצה משולשת",
+ "arm_entity_name_away": "דריכת {entity_name} לא בבית",
+ "arm_entity_name_home": "דריכת {entity_name} הביתה",
+ "arm_entity_name_night": "דריכת {entity_name} לילה",
+ "arm_entity_name_vacation": "דריכת {entity_name} חופשה",
+ "disarm_entity_name": "ניטרול {entity_name}",
+ "entity_name_armed_away": "{entity_name} דרוך לא בבית",
+ "entity_name_is_armed_home": "{entity_name} דרוך בית",
+ "entity_name_armed_night": "{entity_name} דרוך לילה",
+ "entity_name_is_armed_vacation": "{entity_name} בחופשה דרוכה",
+ "entity_name_disarmed": "{entity_name} מנוטרל",
+ "entity_name_armed_home": "{entity_name} דרוך בבית",
+ "entity_name_armed_vacation": "{entity_name} חופשה דרוכה",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "ההתקן הושמט",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "התקן לא מקוון",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Device tilted",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "הוספה לתור",
"play_next": "הפעלת הבא",
"options_replace": "השמע כעת ונקה תור",
"repeat_all": "חזור על הכל",
"repeat_one": "חזרה אחת על פעולה",
- "no_code_format": "ללא תבנית קוד",
- "no_unit_of_measurement": "אין יחידת מידה",
- "critical": "קריטי",
- "debug": "איתור באגים",
- "warning": "אזהרה",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "העלאת קובץ iCalendar (.ics)",
- "passive": "פסיבי",
- "arithmetic_mean": "ממוצע אריתמטי",
- "median": "חציון",
- "product": "מכפלה",
- "statistical_range": "טווח סטטיסטי",
- "standard_deviation": "סטיית תקן",
- "fatal": "קטלני",
"alice_blue": "כחול אליס",
"antique_white": "לבן עתיק",
"aqua": "אקווה",
@@ -3021,51 +3317,20 @@
"wheat": "חיטה",
"white_smoke": "לבן סמוק",
"yellow_green": "צהוב ירוק",
- "sets_the_value": "מגדיר את הערך.",
- "the_target_value": "ערך היעד.",
- "command": "פקודה",
- "device_description": "מזהה התקן שאליו יש לשלוח פקודה.",
- "delete_command": "מחיקת פקודה",
- "alternative": "חלופי",
- "command_type_description": "סוג הפקודה שיש ללמוד.",
- "command_type": "סוג פקודה",
- "timeout_description": "פסק זמן ללימוד הפקודה.",
- "learn_command": "לימוד פקודה",
- "delay_seconds": "שניות עיכוב",
- "hold_seconds": "שניות להחזקה",
- "repeats": "חזרות",
- "send_command": "שליחת פקודה",
- "sends_the_toggle_command": "שולח את פקודת החלפת המצב.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "מתחיל משימת ניקוי חדשה.",
- "set_datetime_description": "הגדרת התאריך ו/או השעה.",
- "the_target_date": "תאריך היעד.",
- "datetime_description": "תאריך ושעת היעד.",
- "the_target_time": "זמן היעד.",
- "creates_a_new_backup": "יוצר גיבוי חדש.",
- "apply_description": "הפעלת סצינה עם תצורה.",
- "entities_description": "רשימת ישויות ומצב היעד שלהן.",
- "entities_state": "מצב ישויות",
- "transition": "מעבר",
- "apply": "החלה",
- "creates_a_new_scene": "יצירת סצינה חדשה.",
- "scene_id_description": "מזהה הישות של הסצנה החדשה.",
- "scene_entity_id": "מזהה ישות סצינה",
- "snapshot_entities": "ישויות תמונת מצב",
- "delete_description": "מחיקת סצינה שנוצרה באופן דינמי.",
- "activates_a_scene": "הפעלת סצינה.",
- "closes_a_valve": "סוגר שסתום.",
- "opens_a_valve": "פותח שסתום.",
- "set_valve_position_description": "העברת שסתום למיקום מסוים.",
- "target_position": "יעד מיקום.",
- "set_position": "הגדרת מיקום",
- "stops_the_valve_movement": "עצירת תנועת השסתום.",
- "toggles_a_valve_open_closed": "החלפת שסתום פתוח/סגור.",
- "dashboard_path": "נתיב לוח מחוונים",
- "view_path": "הצגת נתיב",
- "show_dashboard_view": "הצגת תצוגת לוח מחוונים",
- "finish_description": "מסיים שעון העצר פועל מוקדם מהמתוכנן.",
- "duration_description": "משך זמן מותאם אישית להפעלה מחדש של שעון העצר.",
+ "critical": "קריטי",
+ "debug": "איתור באגים",
+ "warning": "אזהרה",
+ "passive": "פסיבי",
+ "no_code_format": "ללא תבנית קוד",
+ "no_unit_of_measurement": "אין יחידת מידה",
+ "fatal": "קטלני",
+ "arithmetic_mean": "ממוצע אריתמטי",
+ "median": "חציון",
+ "product": "מכפלה",
+ "statistical_range": "טווח סטטיסטי",
+ "standard_deviation": "סטיית תקן",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "העלאת קובץ iCalendar (.ics)",
"sets_a_random_effect": "מגדיר אפקט אקראי.",
"sequence_description": "רשימת רצפי HSV (מקסימום 16).",
"backgrounds": "רקעים",
@@ -3082,109 +3347,22 @@
"saturation_range": "טווח רוויה",
"segments_description": "רשימת מקטעים (0 לכולם).",
"segments": "מקטעים",
+ "transition": "מעבר",
"range_of_transition": "טווח מעבר.",
"transition_range": "טווח מעבר",
"random_effect": "אפקט אקראי",
"sets_a_sequence_effect": "מגדיר אפקט סדר פעולות",
"repetitions_for_continuous": "חזרות (0 לרציפות).",
+ "repeats": "חזרות",
"sequence": "סדר פעולות",
"speed_of_spread": "מהירות ההתפשטות.",
"spread": "התפשטות",
"sequence_effect": "אפקט סדר פעולות",
- "check_configuration": "בדיקת התצורה",
- "reload_all": "טעינת הכל מחדש",
- "reload_config_entry_description": "טוען מחדש את ערך התצורה שצוין.",
- "config_entry_id": "קביעת תצורה של מזהה ערך",
- "reload_config_entry": "טען מחדש ערך תצורה",
- "reload_core_config_description": "טוען מחדש את תצורת הליבה מתצורת YAML.",
- "reload_core_configuration": "טען מחדש את תצורת הליבה",
- "reload_custom_jinja_templates": "טעינה מחדש של תבניות Jinja2 מותאמות אישית",
- "restarts_home_assistant": "מפעיל מחדש את Home Assistant.",
- "safe_mode_description": "השבתת שילובים מותאמים אישית וכרטיסים מותאמים אישית.",
- "save_persistent_states": "שמירת מצבים מתמשכים",
- "set_location_description": "עידכון המיקום של Home Assistant.",
- "elevation_description": "גובה מיקומך מעל פני הים.",
- "latitude_of_your_location": "קו הרוחב של המיקום שלך.",
- "longitude_of_your_location": "קו האורך של המיקום שלך.",
- "stops_home_assistant": "עצירת Home Assistant",
- "generic_toggle": "החלפת מצב כללי",
- "generic_turn_off": "כיבוי כללי",
- "generic_turn_on": "הפעלה כללית",
- "entity_id_description": "ישות להפניה בערך יומן הרישום.",
- "entities_to_update": "ישויות לעדכון",
- "update_entity": "עדכון ישות",
- "turns_auxiliary_heater_on_off": "מדליק/מכבה את תנור העזר.",
- "aux_heat_description": "ערך חדש של תנור עזר.",
- "auxiliary_heating": "חימום עזר",
- "turn_on_off_auxiliary_heater": "הפעלה/כיבוי של תנור עזר",
- "sets_fan_operation_mode": "הגדרת מצב פעולת מאוורר.",
- "fan_operation_mode": "מצב פעולת מאוורר.",
- "set_fan_mode": "הגדרת מצב מאוורר",
- "sets_target_humidity": "מגדיר יעד לחות.",
- "set_target_humidity": "הגדרת יעד לחות",
- "sets_hvac_operation_mode": "הגדרת מצב פעולת HVAC.",
- "hvac_operation_mode": "מצב פעולה HVAC.",
- "set_hvac_mode": "הגדרת מצב HVAC",
- "sets_preset_mode": "הגדרת מצב מוגדר מראש.",
- "set_preset_mode": "הגדרת מצב מוגדר מראש",
- "set_swing_horizontal_mode_description": "הגדרת מצב פעולת נדנדה אופקית.",
- "horizontal_swing_operation_mode": "מצב פעולת נדנדה אופקית.",
- "set_horizontal_swing_mode": "הגדרת מצב נדנדה אופקית",
- "sets_swing_operation_mode": "הגדרת מצב פעולת נדנוד.",
- "swing_operation_mode": "מצב פעולת נדנוד.",
- "set_swing_mode": "הגדרת מצב נדנוד",
- "sets_the_temperature_setpoint": "קובע את נקודת קביעת הטמפרטורה.",
- "the_max_temperature_setpoint": "נקודת הטמפרטורה המרבית.",
- "the_min_temperature_setpoint": "נקודת הטמפרטורה המינימלית.",
- "the_temperature_setpoint": "נקודת הגדרת הטמפרטורה.",
- "set_target_temperature": "הגדרת טמפרטורת יעד",
- "turns_climate_device_off": "מכבה את התקן האקלים.",
- "turns_climate_device_on": "הפעלת התקן האקלים.",
- "decrement_description": "הקטנת הערך בצעד אחד.",
- "increment_description": "הגדלת הערך הנוכחי בצעד אחד.",
- "reset_description": "איפוס מונה לערך ההתחלתי שלו.",
- "set_value_description": "הגדרת הערך של מספר.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "הסרת כל הפריטים מרשימת ההשמעה.",
- "clear_playlist": "ניקוי רשימת השמעה",
- "selects_the_next_track": "בחירת הרצועה הבאה.",
- "pauses": "משהה.",
- "starts_playing": "מתחיל להשמיע.",
- "toggles_play_pause": "החלפת מצב הפעלה/השהיה.",
- "selects_the_previous_track": "בחירת הרצועה הקודמת.",
- "seek": "חיפוש",
- "stops_playing": "הפסקת השמעה.",
- "starts_playing_specified_media": "הפעלת מדיה שצוינה.",
- "announce": "הכרזה",
- "enqueue": "תור",
- "repeat_mode_to_set": "הגדרת מצב חזרה.",
- "select_sound_mode_description": "בחירת מצב צליל ספציפי.",
- "select_sound_mode": "בחירת מצב צליל",
- "select_source": "בחירת מקור",
- "shuffle_description": "האם מצב ערבוב מופעל או לא.",
- "toggle_description": "מפעיל/מכבה את שואב האבק.",
- "unjoin": "ביטול הצטרפות",
- "turns_down_the_volume": "מנמיך את עוצמת הקול.",
- "volume_mute_description": "השתקה או ביטול השתקה של נגן המדיה.",
- "is_volume_muted_description": "מגדיר אם הוא מושתק או לא.",
- "mute_unmute_volume": "השתקה/ביטול השתקה של עוצמת קול",
- "sets_the_volume_level": "הגדרת עוצמת הקול.",
- "level": "רמה",
- "set_volume": "הגדרת עוצמת קול",
- "turns_up_the_volume": "מגביר את עוצמת הקול.",
- "turn_up_volume": "הגבירו את עוצמת הקול",
- "battery_description": "רמת הסוללה של ההתקן.",
- "gps_coordinates": "קואורדינטות GPS",
- "gps_accuracy_description": "דיוק קואורדינטות ה-GPS.",
- "hostname_of_the_device": "שם מארח של ההתקן.",
- "hostname": "שם מארח",
- "mac_description": "כתובת MAC של ההתקן.",
- "see": "ראה",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "הפעלה/כיבוי של הצופר.",
+ "turns_the_siren_off": "מכבה את הצופר.",
+ "turns_the_siren_on": "מפעיל את הצופר.",
"brightness_value": "ערך בהירות",
"a_human_readable_color_name": "שם צבע קריא לאדם.",
"color_name": "שם צבע",
@@ -3197,25 +3375,70 @@
"rgbww_color": "צבע RGBWW",
"white_description": "הגדרת מצב האור למצב לבן.",
"xy_color": "צבע XY",
+ "turn_off_description": "שולח את פקודת הכיבוי.",
"brightness_step_description": "שינוי בהירות לפי כמות.",
"brightness_step_value": "ערך שלב הבהירות",
"brightness_step_pct_description": "שינוי בהירות באחוזים.",
"brightness_step": "שלב הבהירות",
- "add_event_description": "הוספת אירוע חדש בלוח השנה.",
- "calendar_id_description": "מזהה לוח השנה הרצוי.",
- "calendar_id": "מזהה לוח שנה",
- "description_description": "תיאור האירוע. אופציונלי.",
- "summary_description": "משמש ככותרת האירוע.",
- "location_description": "מיקום האירוע.",
- "create_event": "יצירת אירוע",
- "apply_filter": "החלת מסנן",
- "days_to_keep": "ימים לשמירה",
- "repack": "לארוז מחדש",
- "purge": "טיהור",
- "domains_to_remove": "תחומים להסרה",
- "entity_globs_to_remove": "ישויות גלוס להסרה",
- "entities_to_remove": "ישויות להסרה",
- "purge_entities": "טיהור ישויות",
+ "toggles_the_helper_on_off": "הפעלה/כיבוי של העוזר.",
+ "turns_off_the_helper": "מכבה את העוזר.",
+ "turns_on_the_helper": "מפעיל את העוזר.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "יוצר גיבוי חדש.",
+ "sets_the_value": "הגדרת הערך.",
+ "enter_your_text": "הזנת הטקסט שלך.",
+ "set_value": "הגדרת ערך",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "חריץ קוד",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "פקודות לשליחה אל Google Assistant.",
+ "command": "פקודה",
+ "command_type_description": "סוג הפקודה שיש ללמוד.",
+ "command_type": "סוג פקודה",
+ "endpoint_id_description": "מזהה נקודת קצה עבור האשכול.",
+ "endpoint_id": "מזהה נקודת קצה",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "ערך היעד שיש להגדיר.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "רמה",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "השלכת אובייקטים מהיומן",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3241,27 +3464,300 @@
"stop_logging_object_sources": "הפסקת רישום מקורות אובייקטים",
"stop_log_objects_description": "מפסיק לרשום גדילה של אובייקטים בזיכרון.",
"stop_logging_objects": "הפסקת רישום אובייקטים",
+ "set_default_level_description": "הגדרת רמת יומן הרישום המוגדרת כברירת מחדל עבור שילובים.",
+ "level_description": "רמת חומרה המוגדרת כברירת מחדל עבור כל השילובים.",
+ "set_default_level": "הגדרת רמת ברירת מחדל",
+ "set_level": "הגדרת רמה",
+ "stops_a_running_script": "עוצר תסריט פועל.",
+ "clear_skipped_update": "ניקוי עדכון שדולג",
+ "install_update": "התקנת עדכון",
+ "skip_description": "מסמן עדכון זמין כעת כדולג.",
+ "skip_update": "דילוג על עדכון",
+ "decrease_speed_description": "מפחית את מהירות המאוורר.",
+ "decrease_speed": "הורדת מהירות",
+ "increase_speed_description": "מגביר את מהירות המאוורר.",
+ "increase_speed": "הגברת המהירות",
+ "oscillate_description": "שולט בתנודה של המאוורר.",
+ "turns_oscillation_on_off": "הפעלה/כיבוי של תנודה.",
+ "set_direction_description": "קובע את כיוון סיבוב המאוורר.",
+ "direction_description": "כיוון סיבוב המאוורר.",
+ "set_direction": "הגדרת כיוון",
+ "set_percentage_description": "הגדרת מהירות המאוורר.",
+ "speed_of_the_fan": "מהירות המאוורר.",
+ "percentage": "אחוזים",
+ "set_speed": "קביעת מהירות",
+ "sets_preset_fan_mode": "הגדרת מצב מאוורר מוגדר מראש.",
+ "preset_fan_mode": "מצב מאוורר מוגדר מראש.",
+ "set_preset_mode": "הגדרת מצב מוגדר מראש",
+ "toggles_a_fan_on_off": "הפעלה/כיבוי של המאוורר.",
+ "turns_fan_off": "כיבוי המאוורר.",
+ "turns_fan_on": "הפעלת המאוורר.",
+ "set_datetime_description": "הגדרת התאריך ו/או השעה.",
+ "the_target_date": "תאריך היעד.",
+ "datetime_description": "תאריך ושעת היעד.",
+ "the_target_time": "זמן היעד.",
+ "log_description": "יצירת ערך מותאם אישית ביומן הרישום.",
+ "entity_id_description": "נגני מדיה להשמעת ההודעה.",
+ "message_description": "גוף ההודעה של ההתראה.",
+ "log": "יומן",
+ "request_sync_description": "שליחת פקודת request_sync אל Google.",
+ "agent_user_id": "מזהה משתמש סוכן",
+ "request_sync": "בקשת סינכרון",
+ "apply_description": "הפעלת סצינה עם תצורה.",
+ "entities_description": "רשימת ישויות ומצב היעד שלהן.",
+ "entities_state": "מצב ישויות",
+ "apply": "החלה",
+ "creates_a_new_scene": "יצירת סצינה חדשה.",
+ "entity_states": "Entity states",
+ "scene_id_description": "מזהה הישות של הסצנה החדשה.",
+ "scene_entity_id": "מזהה ישות סצינה",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "מחיקת סצינה שנוצרה באופן דינמי.",
+ "activates_a_scene": "הפעלת סצינה.",
"reload_themes_description": "טעינה מחדש של ערכות נושא מתצורת YAML.",
"reload_themes": "טעינה מחדש של ערכות נושא",
"name_of_a_theme": "שם של ערכת נושא.",
"set_the_default_theme": "הגדרת ערכת הנושא המוגדרת כברירת מחדל",
+ "decrement_description": "הקטנת הערך בצעד אחד.",
+ "increment_description": "הגדלת הערך הנוכחי בצעד אחד.",
+ "reset_description": "איפוס מונה לערך ההתחלתי שלו.",
+ "set_value_description": "הגדרת הערך של מספר.",
+ "check_configuration": "בדיקת התצורה",
+ "reload_all": "טעינת הכל מחדש",
+ "reload_config_entry_description": "טוען מחדש את ערך התצורה שצוין.",
+ "config_entry_id": "קביעת תצורה של מזהה ערך",
+ "reload_config_entry": "טען מחדש ערך תצורה",
+ "reload_core_config_description": "טוען מחדש את תצורת הליבה מתצורת YAML.",
+ "reload_core_configuration": "טען מחדש את תצורת הליבה",
+ "reload_custom_jinja_templates": "טעינה מחדש של תבניות Jinja2 מותאמות אישית",
+ "restarts_home_assistant": "מפעיל מחדש את Home Assistant.",
+ "safe_mode_description": "השבתת שילובים מותאמים אישית וכרטיסים מותאמים אישית.",
+ "save_persistent_states": "שמירת מצבים מתמשכים",
+ "set_location_description": "עידכון המיקום של Home Assistant.",
+ "elevation_description": "גובה מיקומך מעל פני הים.",
+ "latitude_of_your_location": "קו הרוחב של המיקום שלך.",
+ "longitude_of_your_location": "קו האורך של המיקום שלך.",
+ "set_location": "הגדרת מיקום",
+ "stops_home_assistant": "עצירת Home Assistant",
+ "generic_toggle": "החלפת מצב כללי",
+ "generic_turn_off": "כיבוי כללי",
+ "generic_turn_on": "הפעלה כללית",
+ "entities_to_update": "ישויות לעדכון",
+ "update_entity": "עדכון ישות",
+ "notify_description": "שולח הודעת התראה ליעדים נבחרים.",
+ "data": "נתונים",
+ "title_for_your_notification": "כותרת להתראה שלך.",
+ "title_of_the_notification": "כותרת ההודעה.",
+ "send_a_persistent_notification": "שליחת הודעה מתמשכת",
+ "sends_a_notification_message": "שולח הודעת התראה.",
+ "your_notification_message": "הודעת ההתראה שלך.",
+ "title_description": "כותרת אופציונלית של התראה.",
+ "send_a_notification_message": "שליחת הודעת התראה",
+ "send_magic_packet": "שליחת חבילת קסם",
+ "topic_to_listen_to": "נושא להאזנה.",
+ "topic": "נושא",
+ "export": "יצוא",
+ "publish_description": "מפרסם הודעה לנושא MQTT.",
+ "evaluate_payload": "הערכת מטען",
+ "the_payload_to_publish": "מטען לפרסום.",
+ "payload": "מטען",
+ "payload_template": "תבנית מטען",
+ "qos": "QoS",
+ "retain": "שמירה",
+ "topic_to_publish_to": "נושא לפרסום.",
+ "publish": "פרסום",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "מפתח",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "start_application": "הפעלת יישום",
+ "battery_description": "רמת הסוללה של ההתקן.",
+ "gps_coordinates": "קואורדינטות GPS",
+ "gps_accuracy_description": "דיוק קואורדינטות ה-GPS.",
+ "hostname_of_the_device": "שם מארח של ההתקן.",
+ "hostname": "שם מארח",
+ "mac_description": "כתובת MAC של ההתקן.",
+ "see": "ראה",
+ "device_description": "מזהה התקן שאליו יש לשלוח פקודה.",
+ "delete_command": "מחיקת פקודה",
+ "alternative": "חלופי",
+ "timeout_description": "פסק זמן ללימוד הפקודה.",
+ "learn_command": "לימוד פקודה",
+ "delay_seconds": "שניות עיכוב",
+ "hold_seconds": "שניות להחזקה",
+ "send_command": "שליחת פקודה",
+ "sends_the_toggle_command": "שולח את פקודת החלפת המצב.",
+ "turn_on_description": "מתחיל משימת ניקוי חדשה.",
+ "get_weather_forecast": "קבלת תחזית מזג אוויר.",
+ "type_description": "סוג תחזית: יומי, שעתי או פעמיים ביום.",
+ "forecast_type": "סוג תחזית",
+ "get_forecast": "קבלת תחזית",
+ "get_weather_forecasts": "קבלת תחזיות מזג אוויר.",
+ "get_forecasts": "קבלת תחזיות",
+ "press_the_button_entity": "לחיצה על ישות הלחצן.",
+ "enable_remote_access": "אפשר גישה מרחוק",
+ "disable_remote_access": "השבתת גישה מרחוק",
+ "create_description": "מציג התראה בחלונית התראות.",
+ "notification_id": "מזהה התראה",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "מאתר את רובוט שואב האבק.",
+ "pauses_the_cleaning_task": "משהה את משימת הניקוי.",
+ "send_command_description": "שולח פקודה לשואב האבק.",
+ "parameters": "פרמטרים",
+ "set_fan_speed": "הגדרת מהירות מאוורר",
+ "start_description": "מתחיל או מחדש את משימת הניקוי.",
+ "start_pause_description": "מפעיל, משהה או מחדש את משימת הניקוי.",
+ "stop_description": "מפסיק את משימת הניקוי הנוכחית.",
+ "toggle_description": "הפעלה/כיבוי של נגן מדיה.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "משבית את זיהוי התנועה.",
+ "disable_motion_detection": "השבתת זיהוי תנועה",
+ "enables_the_motion_detection": "מאפשר זיהוי תנועה.",
+ "enable_motion_detection": "אפשר זיהוי תנועה",
+ "format_description": "פורמט זרם הנתמך על ידי נגן המדיה.",
+ "media_player_description": "נגני מדיה להזרמה.",
+ "play_stream": "הפעל זרם",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "שם קובץ",
+ "lookback": "מבט לאחור",
+ "snapshot_description": "מצלם צילום מסך של המצלמה.",
+ "full_path_to_filename": "Full path to filename.",
+ "turns_off_the_camera": "מכבה את המצלמה.",
+ "turns_on_the_camera": "מפעיל את המצלמה.",
+ "reload_resources_description": "טוען מחדש משאבי לוח מחוונים מתצורת YAML.",
"clear_tts_cache": "ניקוי מטמון TTS",
"cache": "מטמון",
"language_description": "שפת הטקסט. ברירת המחדל היא שפת שרת.",
"options_description": "מילון המכיל אפשרויות ספציפיות לשילוב.",
"say_a_tts_message": "אמירת הודעת TTS",
- "media_player_entity_id_description": "נגני מדיה להשמעת ההודעה.",
"media_player_entity": "ישות נגן מדיה",
"speak": "לדבר",
- "reload_resources_description": "טוען מחדש משאבי לוח מחוונים מתצורת YAML.",
- "toggles_the_siren_on_off": "הפעלה/כיבוי של הצופר.",
- "turns_the_siren_off": "מכבה את הצופר.",
- "turns_the_siren_on": "מפעיל את הצופר.",
- "toggles_the_helper_on_off": "הפעלה/כיבוי של העוזר.",
- "turns_off_the_helper": "מכבה את העוזר.",
- "turns_on_the_helper": "מפעיל את העוזר.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "שליחת פקודת טקסט",
+ "the_target_value": "ערך היעד.",
+ "removes_a_group": "הסרת קבוצה.",
+ "object_id": "מזהה אובייקט",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "הוספת ישויות",
+ "icon_description": "שם הסמליל של הקבוצה.",
+ "name_of_the_group": "שם הקבוצה.",
+ "remove_entities": "הסרת ישויות",
+ "locks_a_lock": "נעילת המנעול.",
+ "code_description": "קוד לדריכת האזעקה.",
+ "opens_a_lock": "פותח נעילה.",
+ "announce_description": "לתת ללוויין להכריז הודעה.",
+ "media_id": "מזהה מדיה",
+ "the_message_to_announce": "ההודעה להכרזה.",
+ "announce": "הכרזה",
+ "reloads_the_automation_configuration": "טוען מחדש את תצורת האוטומציה.",
+ "trigger_description": "מפעיל את הפעולות של אוטומציה.",
+ "skip_conditions": "דילוג על תנאים",
+ "trigger": "גורם מפעיל",
+ "disables_an_automation": "משבית אוטומציה.",
+ "stops_currently_running_actions": "מפסיק את הפעולות הפועלות כעת.",
+ "stop_actions": "הפסקת פעולות",
+ "enables_an_automation": "מאפשר אוטומציה.",
+ "deletes_all_log_entries": "מחיקת כל ערכי יומן הרישום.",
+ "write_log_entry": "כתוב ערך יומן.",
+ "log_level": "רמת יומן.",
+ "message_to_log": "הודעה ליומן.",
+ "write": "כתוב",
+ "dashboard_path": "נתיב לוח מחוונים",
+ "view_path": "הצגת נתיב",
+ "show_dashboard_view": "הצגת תצוגת לוח מחוונים",
+ "process_description": "הפעלת שיחה מטקסט מתומלל.",
+ "agent": "סוכן",
+ "conversation_id": "מזהה שיחה",
+ "transcribed_text_input": "קלט טקסט מתומלל.",
+ "process": "תהליך",
+ "reloads_the_intent_configuration": "טוען מחדש את תצורת הכוונה.",
+ "conversation_agent_to_reload": "סוכן שיחה לטעינה מחדש.",
+ "closes_a_cover": "סוגר כיסוי.",
+ "close_cover_tilt_description": "הטיית כיסוי פתוח",
+ "close_tilt": "סגירת הטיה",
+ "opens_a_cover": "פותח כיסוי.",
+ "tilts_a_cover_open": "הטיית כיסוי פתוח.",
+ "open_tilt": "פתיחת הטייה",
+ "set_cover_position_description": "העברת כיסוי למיקום מסוים.",
+ "target_position": "יעד מיקום.",
+ "target_tilt_positition": "יעד מיקום הטיה",
+ "set_tilt_position": "הגדרת מיקום הטיה",
+ "stops_the_cover_movement": "עוצר את תנועת הכיסוי.",
+ "stop_cover_tilt_description": "עוצר תנועת כיסוי הטיה.",
+ "stop_tilt": "עצירת הטיה",
+ "toggles_a_cover_open_closed": "החלפת כיסוי פתוח/סגור.",
+ "toggle_cover_tilt_description": "החלפת מצב של הטיית כיסוי פתוח/סגור.",
+ "toggle_tilt": "החלפת מצב הטיה",
+ "turns_auxiliary_heater_on_off": "מדליק/מכבה את תנור העזר.",
+ "aux_heat_description": "ערך חדש של תנור עזר.",
+ "auxiliary_heating": "חימום עזר",
+ "turn_on_off_auxiliary_heater": "הפעלה/כיבוי של תנור עזר",
+ "sets_fan_operation_mode": "הגדרת מצב פעולת מאוורר.",
+ "fan_operation_mode": "מצב פעולת מאוורר.",
+ "set_fan_mode": "הגדרת מצב מאוורר",
+ "sets_target_humidity": "מגדיר יעד לחות.",
+ "set_target_humidity": "הגדרת יעד לחות",
+ "sets_hvac_operation_mode": "הגדרת מצב פעולת HVAC.",
+ "hvac_operation_mode": "מצב פעולה HVAC.",
+ "set_hvac_mode": "הגדרת מצב HVAC",
+ "sets_preset_mode": "הגדרת מצב מוגדר מראש.",
+ "set_swing_horizontal_mode_description": "הגדרת מצב פעולת נדנדה אופקית.",
+ "horizontal_swing_operation_mode": "מצב פעולת נדנדה אופקית.",
+ "set_horizontal_swing_mode": "הגדרת מצב נדנדה אופקית",
+ "sets_swing_operation_mode": "הגדרת מצב פעולת נדנוד.",
+ "swing_operation_mode": "מצב פעולת נדנוד.",
+ "set_swing_mode": "הגדרת מצב נדנוד",
+ "sets_the_temperature_setpoint": "קובע את נקודת קביעת הטמפרטורה.",
+ "the_max_temperature_setpoint": "נקודת הטמפרטורה המרבית.",
+ "the_min_temperature_setpoint": "נקודת הטמפרטורה המינימלית.",
+ "the_temperature_setpoint": "נקודת הגדרת הטמפרטורה.",
+ "set_target_temperature": "הגדרת טמפרטורת יעד",
+ "turns_climate_device_off": "מכבה את התקן האקלים.",
+ "turns_climate_device_on": "הפעלת התקן האקלים.",
+ "apply_filter": "החלת מסנן",
+ "days_to_keep": "ימים לשמירה",
+ "repack": "לארוז מחדש",
+ "purge": "טיהור",
+ "domains_to_remove": "תחומים להסרה",
+ "entity_globs_to_remove": "ישויות גלוס להסרה",
+ "entities_to_remove": "ישויות להסרה",
+ "purge_entities": "טיהור ישויות",
+ "clear_playlist_description": "הסרת כל הפריטים מרשימת ההשמעה.",
+ "clear_playlist": "ניקוי רשימת השמעה",
+ "selects_the_next_track": "בחירת הרצועה הבאה.",
+ "pauses": "משהה.",
+ "starts_playing": "מתחיל להשמיע.",
+ "toggles_play_pause": "החלפת מצב הפעלה/השהיה.",
+ "selects_the_previous_track": "בחירת הרצועה הקודמת.",
+ "seek": "חיפוש",
+ "stops_playing": "הפסקת השמעה.",
+ "starts_playing_specified_media": "הפעלת מדיה שצוינה.",
+ "enqueue": "תור",
+ "repeat_mode_to_set": "הגדרת מצב חזרה.",
+ "select_sound_mode_description": "בחירת מצב צליל ספציפי.",
+ "select_sound_mode": "בחירת מצב צליל",
+ "select_source": "בחירת מקור",
+ "shuffle_description": "האם מצב ערבוב מופעל או לא.",
+ "unjoin": "ביטול הצטרפות",
+ "turns_down_the_volume": "מנמיך את עוצמת הקול.",
+ "volume_mute_description": "השתקה או ביטול השתקה של נגן המדיה.",
+ "is_volume_muted_description": "מגדיר אם הוא מושתק או לא.",
+ "mute_unmute_volume": "השתקה/ביטול השתקה של עוצמת קול",
+ "sets_the_volume_level": "הגדרת עוצמת הקול.",
+ "set_volume": "הגדרת עוצמת קול",
+ "turns_up_the_volume": "מגביר את עוצמת הקול.",
+ "turn_up_volume": "הגבירו את עוצמת הקול",
"restarts_an_add_on": "הפעלה מחדש של הרחבה.",
"the_add_on_to_restart": "התוסף לאתחול.",
"restart_add_on": "הפעל מחדש את ההרחבה",
@@ -3300,40 +3796,6 @@
"restore_partial_description": "משחזר מגיבוי חלקי.",
"restores_home_assistant": "משחזר את Home Assistant.",
"restore_from_partial_backup": "שחזר מגיבוי חלקי",
- "decrease_speed_description": "מפחית את מהירות המאוורר.",
- "decrease_speed": "הורדת מהירות",
- "increase_speed_description": "מגביר את מהירות המאוורר.",
- "increase_speed": "הגברת המהירות",
- "oscillate_description": "שולט בתנודה של המאוורר.",
- "turns_oscillation_on_off": "הפעלה/כיבוי של תנודה.",
- "set_direction_description": "קובע את כיוון סיבוב המאוורר.",
- "direction_description": "כיוון סיבוב המאוורר.",
- "set_direction": "הגדרת כיוון",
- "set_percentage_description": "הגדרת מהירות המאוורר.",
- "speed_of_the_fan": "מהירות המאוורר.",
- "percentage": "אחוזים",
- "set_speed": "קביעת מהירות",
- "sets_preset_fan_mode": "הגדרת מצב מאוורר מוגדר מראש.",
- "preset_fan_mode": "מצב מאוורר מוגדר מראש.",
- "toggles_a_fan_on_off": "הפעלה/כיבוי של המאוורר.",
- "turns_fan_off": "כיבוי המאוורר.",
- "turns_fan_on": "הפעלת המאוורר.",
- "get_weather_forecast": "קבלת תחזית מזג אוויר.",
- "type_description": "סוג תחזית: יומי, שעתי או פעמיים ביום.",
- "forecast_type": "סוג תחזית",
- "get_forecast": "קבלת תחזית",
- "get_weather_forecasts": "קבלת תחזיות מזג אוויר.",
- "get_forecasts": "קבלת תחזיות",
- "clear_skipped_update": "ניקוי עדכון שדולג",
- "install_update": "התקנת עדכון",
- "skip_description": "מסמן עדכון זמין כעת כדולג.",
- "skip_update": "דילוג על עדכון",
- "code_description": "הקוד המשמש לפתיחת נעילת המנעול.",
- "arm_with_custom_bypass": "דרוך מעקף מותאם אישית",
- "alarm_arm_vacation_description": "מגדיר את האזעקה ל: _דרוך לחופשה_.",
- "disarms_the_alarm": "מנטרל את האזעקה.",
- "trigger_the_alarm_manually": "הפעלת האזעקה באופן ידני.",
- "trigger": "גורם מפעיל",
"selects_the_first_option": "בחירת האפשרות הראשונה.",
"first": "ראשונה",
"selects_the_last_option": "בחירת האפשרות האחרונה.",
@@ -3341,74 +3803,16 @@
"selects_an_option": "בחירת אפשרות.",
"option_to_be_selected": "אפשרות לבחירה.",
"selects_the_previous_option": "בחירת האפשרות הקודמת.",
- "disables_the_motion_detection": "משבית את זיהוי התנועה.",
- "disable_motion_detection": "השבתת זיהוי תנועה",
- "enables_the_motion_detection": "מאפשר זיהוי תנועה.",
- "enable_motion_detection": "אפשר זיהוי תנועה",
- "format_description": "פורמט זרם הנתמך על ידי נגן המדיה.",
- "media_player_description": "נגני מדיה להזרמה.",
- "play_stream": "הפעל זרם",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "שם קובץ",
- "lookback": "מבט לאחור",
- "snapshot_description": "מצלם צילום מסך של המצלמה.",
- "full_path_to_filename": "Full path to filename.",
- "turns_off_the_camera": "מכבה את המצלמה.",
- "turns_on_the_camera": "מפעיל את המצלמה.",
- "press_the_button_entity": "לחיצה על ישות הלחצן.",
+ "add_event_description": "הוספת אירוע חדש בלוח השנה.",
+ "location_description": "מיקום האירוע. אופציונלי.",
"start_date_description": "התאריך שבו האירוע של יום שלם אמור להתחיל.",
+ "create_event": "יצירת אירוע",
"get_events": "קבלת אירועים",
- "sets_the_options": "הגדרת האפשרויות.",
- "list_of_options": "רשימת אפשרויות.",
- "set_options": "הגדרת אפשרויות",
- "closes_a_cover": "סוגר כיסוי.",
- "close_cover_tilt_description": "הטיית כיסוי פתוח",
- "close_tilt": "סגירת הטיה",
- "opens_a_cover": "פותח כיסוי.",
- "tilts_a_cover_open": "הטיית כיסוי פתוח.",
- "open_tilt": "פתיחת הטייה",
- "set_cover_position_description": "העברת כיסוי למיקום מסוים.",
- "target_tilt_positition": "יעד מיקום הטיה",
- "set_tilt_position": "הגדרת מיקום הטיה",
- "stops_the_cover_movement": "עוצר את תנועת הכיסוי.",
- "stop_cover_tilt_description": "עוצר תנועת כיסוי הטיה.",
- "stop_tilt": "עצירת הטיה",
- "toggles_a_cover_open_closed": "החלפת כיסוי פתוח/סגור.",
- "toggle_cover_tilt_description": "החלפת מצב של הטיית כיסוי פתוח/סגור.",
- "toggle_tilt": "החלפת מצב הטיה",
- "request_sync_description": "שליחת פקודת request_sync אל Google.",
- "agent_user_id": "מזהה משתמש סוכן",
- "request_sync": "בקשת סינכרון",
- "log_description": "יצירת ערך מותאם אישית ביומן הרישום.",
- "message_description": "גוף ההודעה של ההתראה.",
- "log": "יומן",
- "enter_your_text": "הזנת הטקסט שלך.",
- "set_value": "הגדרת ערך",
- "topic_to_listen_to": "נושא להאזנה.",
- "topic": "נושא",
- "export": "יצוא",
- "publish_description": "מפרסם הודעה לנושא MQTT.",
- "evaluate_payload": "הערכת מטען",
- "the_payload_to_publish": "מטען לפרסום.",
- "payload": "מטען",
- "payload_template": "תבנית מטען",
- "qos": "QoS",
- "retain": "שמירה",
- "topic_to_publish_to": "נושא לפרסום.",
- "publish": "פרסום",
- "reloads_the_automation_configuration": "טוען מחדש את תצורת האוטומציה.",
- "trigger_description": "מפעיל את הפעולות של אוטומציה.",
- "skip_conditions": "דילוג על תנאים",
- "disables_an_automation": "משבית אוטומציה.",
- "stops_currently_running_actions": "מפסיק את הפעולות הפועלות כעת.",
- "stop_actions": "הפסקת פעולות",
- "enables_an_automation": "מאפשר אוטומציה.",
- "enable_remote_access": "אפשר גישה מרחוק",
- "disable_remote_access": "השבתת גישה מרחוק",
- "set_default_level_description": "הגדרת רמת יומן הרישום המוגדרת כברירת מחדל עבור שילובים.",
- "level_description": "רמת חומרה המוגדרת כברירת מחדל עבור כל השילובים.",
- "set_default_level": "הגדרת רמת ברירת מחדל",
- "set_level": "הגדרת רמה",
+ "closes_a_valve": "סוגר שסתום.",
+ "opens_a_valve": "פותח שסתום.",
+ "set_valve_position_description": "העברת שסתום למיקום מסוים.",
+ "stops_the_valve_movement": "עצירת תנועת השסתום.",
+ "toggles_a_valve_open_closed": "החלפת שסתום פתוח/סגור.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3417,81 +3821,31 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "מאתר את רובוט שואב האבק.",
- "pauses_the_cleaning_task": "משהה את משימת הניקוי.",
- "send_command_description": "שולח פקודה לשואב האבק.",
- "command_description": "פקודות לשליחה אל Google Assistant.",
- "parameters": "פרמטרים",
- "set_fan_speed": "הגדרת מהירות מאוורר",
- "start_description": "מתחיל או מחדש את משימת הניקוי.",
- "start_pause_description": "מפעיל, משהה או מחדש את משימת הניקוי.",
- "stop_description": "מפסיק את משימת הניקוי הנוכחית.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "הפעלה/כיבוי של מתג.",
- "turns_a_switch_off": "מכבה מתג.",
- "turns_a_switch_on": "מפעיל מתג.",
+ "calendar_id_description": "מזהה לוח השנה הרצוי.",
+ "calendar_id": "מזהה לוח שנה",
+ "description_description": "תיאור האירוע. אופציונלי.",
+ "summary_description": "משמש ככותרת האירוע.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "שולח הודעת התראה ליעדים נבחרים.",
- "data": "נתונים",
- "title_for_your_notification": "כותרת להתראה שלך.",
- "title_of_the_notification": "כותרת ההודעה.",
- "send_a_persistent_notification": "שליחת הודעה מתמשכת",
- "sends_a_notification_message": "שולח הודעת התראה.",
- "your_notification_message": "הודעת ההתראה שלך.",
- "title_description": "כותרת אופציונלית של התראה.",
- "send_a_notification_message": "שליחת הודעת התראה",
- "process_description": "הפעלת שיחה מטקסט מתומלל.",
- "agent": "סוכן",
- "conversation_id": "מזהה שיחה",
- "transcribed_text_input": "קלט טקסט מתומלל.",
- "process": "תהליך",
- "reloads_the_intent_configuration": "טוען מחדש את תצורת הכוונה.",
- "conversation_agent_to_reload": "סוכן שיחה לטעינה מחדש.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "שליחת חבילת קסם",
- "send_text_command": "שליחת פקודת טקסט",
- "announce_description": "לתת ללוויין להכריז הודעה.",
- "media_id": "מזהה מדיה",
- "the_message_to_announce": "ההודעה להכרזה.",
- "deletes_all_log_entries": "מחיקת כל ערכי יומן הרישום.",
- "write_log_entry": "כתוב ערך יומן.",
- "log_level": "רמת יומן.",
- "message_to_log": "הודעה ליומן.",
- "write": "כתוב",
- "locks_a_lock": "נעילת המנעול.",
- "opens_a_lock": "פותח נעילה.",
- "removes_a_group": "הסרת קבוצה.",
- "object_id": "מזהה אובייקט",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "הוספת ישויות",
- "icon_description": "שם הסמליל של הקבוצה.",
- "name_of_the_group": "שם הקבוצה.",
- "remove_entities": "הסרת ישויות",
- "stops_a_running_script": "עוצר תסריט פועל.",
- "create_description": "מציג התראה בחלונית התראות.",
- "notification_id": "מזהה התראה",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "מפתח",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "start_application": "הפעלת יישום"
+ "sets_the_options": "הגדרת האפשרויות.",
+ "list_of_options": "רשימת אפשרויות.",
+ "set_options": "הגדרת אפשרויות",
+ "arm_with_custom_bypass": "דרוך מעקף מותאם אישית",
+ "alarm_arm_vacation_description": "מגדיר את האזעקה ל: _דרוך לחופשה_.",
+ "disarms_the_alarm": "מנטרל את האזעקה.",
+ "trigger_the_alarm_manually": "הפעלת האזעקה באופן ידני.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "מסיים שעון העצר פועל מוקדם מהמתוכנן.",
+ "duration_description": "משך זמן מותאם אישית להפעלה מחדש של שעון העצר.",
+ "toggles_a_switch_on_off": "הפעלה/כיבוי של מתג.",
+ "turns_a_switch_off": "מכבה מתג.",
+ "turns_a_switch_on": "מפעיל מתג."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/hi/hi.json b/packages/core/src/hooks/useLocale/locales/hi/hi.json
index 48f483b9..433a497a 100644
--- a/packages/core/src/hooks/useLocale/locales/hi/hi.json
+++ b/packages/core/src/hooks/useLocale/locales/hi/hi.json
@@ -738,7 +738,7 @@
"can_not_skip_version": "Can not skip version",
"update_instructions": "Update instructions",
"current_activity": "Current activity",
- "status": "Status",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Vacuum cleaner commands:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -856,7 +856,7 @@
"restart_home_assistant": "Restart Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Quick reload",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Reloading configuration",
"failed_to_reload_configuration": "Failed to reload configuration",
"restart_description": "Interrupts all running automations and scripts.",
@@ -884,8 +884,8 @@
"password": "Password",
"regex_pattern": "Regex pattern",
"used_for_client_side_validation": "Used for client-side validation",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Input field",
"slider": "Slider",
"step_size": "Step size",
@@ -1475,141 +1475,120 @@
"now": "Now",
"compare_data": "Compare data",
"reload_ui": "Reload UI",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
+ "scene": "Scene",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climate",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climate",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1638,6 +1617,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1663,31 +1643,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Next dawn",
- "next_dusk": "Next dusk",
- "next_midnight": "Next midnight",
- "next_noon": "Next noon",
- "next_rising": "Next rising",
- "next_setting": "Next setting",
- "solar_azimuth": "Solar azimuth",
- "solar_elevation": "Solar elevation",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1709,34 +1674,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Plugged in",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1810,6 +1817,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1860,7 +1868,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1877,6 +1884,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Next dawn",
+ "next_dusk": "Next dusk",
+ "next_midnight": "Next midnight",
+ "next_noon": "Next noon",
+ "next_rising": "Next rising",
+ "next_setting": "Next setting",
+ "solar_azimuth": "Solar azimuth",
+ "solar_elevation": "Solar elevation",
+ "solar_rising": "Solar rising",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1896,73 +1946,251 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Plugged in",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Paused",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -1995,84 +2223,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Current humidity",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Current action",
- "cooling": "Cooling",
- "defrosting": "Defrosting",
- "drying": "Drying",
- "heating": "Heating",
- "preheating": "Preheating",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Both",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Not charging",
- "disconnected": "Disconnected",
- "connected": "Connected",
- "hot": "Hot",
- "no_light": "No light",
- "light_detected": "Light detected",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "Not moving",
- "unplugged": "Unplugged",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Above horizon",
- "below_horizon": "Below horizon",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2088,13 +2244,36 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "available_tones": "Available tones",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Clear, night",
"cloudy": "Cloudy",
"exceptional": "Exceptional",
@@ -2117,26 +2296,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "disarming": "Disarming",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2145,65 +2307,112 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locked": "Locked",
+ "locking": "Locking",
+ "unlocked": "Unlocked",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Current humidity",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Current action",
+ "cooling": "Cooling",
+ "defrosting": "Defrosting",
+ "drying": "Drying",
+ "heating": "Heating",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Both",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Not charging",
+ "disconnected": "Disconnected",
+ "connected": "Connected",
+ "hot": "Hot",
+ "no_light": "No light",
+ "light_detected": "Light detected",
+ "not_moving": "Not moving",
+ "unplugged": "Unplugged",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Above horizon",
+ "below_horizon": "Below horizon",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Disarming",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2214,27 +2423,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2242,68 +2453,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2330,48 +2500,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Bridge is already configured",
- "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Couldn't get an API key",
- "link_with_deconz": "Link with deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2379,128 +2548,161 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "Bridge is already configured",
+ "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Couldn't get an API key",
+ "link_with_deconz": "Link with deCONZ",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Enable birth message",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Enable will message",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
"samsungtv_smart_options": "SamsungTV Smart options",
"data_use_st_status_info": "Use SmartThings TV Status information",
"data_use_st_channel_info": "Use SmartThings TV Channels information",
@@ -2528,28 +2730,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Enable birth message",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Enable will message",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2557,26 +2737,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2671,6 +2936,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
+ "increase_entity_name_brightness": "Increase {entity_name} brightness",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "First button",
+ "second_button": "Second button",
+ "third_button": "Third button",
+ "fourth_button": "Fourth button",
+ "fifth_button": "Fifth button",
+ "sixth_button": "Sixth button",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} is home",
+ "entity_name_is_not_home": "{entity_name} is not home",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} is cleaning",
+ "entity_name_is_docked": "{entity_name} is docked",
+ "entity_name_started_cleaning": "{entity_name} started cleaning",
+ "entity_name_docked": "{entity_name} docked",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} is locked",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is unlocked",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opened",
+ "entity_name_unlocked": "{entity_name} unlocked",
"action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
"change_preset_on_entity_name": "Change preset on {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2678,8 +2996,22 @@
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Close {entity_name} tilt",
+ "open_entity_name_tilt": "Open {entity_name} tilt",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Set {entity_name} tilt position",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} is closed",
+ "entity_name_is_closing": "{entity_name} is closing",
+ "entity_name_is_opening": "{entity_name} is opening",
+ "current_entity_name_position_is": "Current {entity_name} position is",
+ "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
+ "entity_name_closed": "{entity_name} closed",
+ "entity_name_closing": "{entity_name} closing",
+ "entity_name_opening": "{entity_name} opening",
+ "entity_name_position_changes": "{entity_name} position changes",
+ "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
"entity_name_battery_is_low": "{entity_name} battery is low",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2688,7 +3020,6 @@
"entity_name_is_detecting_gas": "{entity_name} is detecting gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} is detecting light",
- "entity_name_is_locked": "{entity_name} is locked",
"entity_name_is_moist": "{entity_name} is moist",
"entity_name_is_detecting_motion": "{entity_name} is detecting motion",
"entity_name_is_moving": "{entity_name} is moving",
@@ -2706,11 +3037,9 @@
"entity_name_is_not_cold": "{entity_name} is not cold",
"entity_name_is_disconnected": "{entity_name} is disconnected",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} is unlocked",
"entity_name_is_dry": "{entity_name} is dry",
"entity_name_is_not_moving": "{entity_name} is not moving",
"entity_name_is_not_occupied": "{entity_name} is not occupied",
- "entity_name_is_closed": "{entity_name} is closed",
"entity_name_is_unplugged": "{entity_name} is unplugged",
"entity_name_is_not_powered": "{entity_name} is not powered",
"entity_name_is_not_present": "{entity_name} is not present",
@@ -2718,7 +3047,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} is occupied",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is plugged in",
"entity_name_is_powered": "{entity_name} is powered",
"entity_name_is_present": "{entity_name} is present",
@@ -2738,7 +3066,6 @@
"entity_name_started_detecting_gas": "{entity_name} started detecting gas",
"entity_name_became_hot": "{entity_name} became hot",
"entity_name_started_detecting_light": "{entity_name} started detecting light",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} started detecting motion",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2749,18 +3076,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} became not hot",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} closed",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
@@ -2768,7 +3092,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} plugged in",
"entity_name_powered": "{entity_name} powered",
"entity_name_present": "{entity_name} present",
@@ -2776,46 +3099,16 @@
"entity_name_started_running": "{entity_name} started running",
"entity_name_started_detecting_smoke": "{entity_name} started detecting smoke",
"entity_name_started_detecting_sound": "{entity_name} started detecting sound",
- "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
- "entity_name_became_unsafe": "{entity_name} became unsafe",
- "trigger_type_update": "{entity_name} got an update available",
- "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
- "entity_name_is_buffering": "{entity_name} is buffering",
- "entity_name_is_idle": "{entity_name} is idle",
- "entity_name_is_paused": "{entity_name} is paused",
- "entity_name_is_playing": "{entity_name} is playing",
- "entity_name_starts_buffering": "{entity_name} starts buffering",
- "entity_name_becomes_idle": "{entity_name} becomes idle",
- "entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} is home",
- "entity_name_is_not_home": "{entity_name} is not home",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
- "increase_entity_name_brightness": "Increase {entity_name} brightness",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Disarm {entity_name}",
- "trigger_entity_name": "Trigger {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} is disarmed",
- "entity_name_is_triggered": "{entity_name} is triggered",
- "entity_name_armed_away": "{entity_name} armed away",
- "entity_name_armed_home": "{entity_name} armed home",
- "entity_name_armed_night": "{entity_name} armed night",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} disarmed",
- "entity_name_triggered": "{entity_name} triggered",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
+ "entity_name_became_unsafe": "{entity_name} became unsafe",
+ "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
+ "entity_name_is_buffering": "{entity_name} is buffering",
+ "entity_name_is_idle": "{entity_name} is idle",
+ "entity_name_is_paused": "{entity_name} is paused",
+ "entity_name_is_playing": "{entity_name} is playing",
+ "entity_name_starts_buffering": "{entity_name} starts buffering",
+ "entity_name_becomes_idle": "{entity_name} becomes idle",
+ "entity_name_starts_playing": "{entity_name} starts playing",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2825,35 +3118,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Close {entity_name} tilt",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Open {entity_name} tilt",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Set {entity_name} tilt position",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} is closing",
- "entity_name_is_opening": "{entity_name} is opening",
- "current_entity_name_position_is": "Current {entity_name} position is",
- "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
- "entity_name_closing": "{entity_name} closing",
- "entity_name_opening": "{entity_name} opening",
- "entity_name_position_changes": "{entity_name} position changes",
- "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Both buttons",
"bottom_buttons": "Bottom buttons",
"seventh_button": "Seventh button",
@@ -2878,13 +3142,6 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} is cleaning",
- "entity_name_is_docked": "{entity_name} is docked",
- "entity_name_started_cleaning": "{entity_name} started cleaning",
- "entity_name_docked": "{entity_name} docked",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2895,29 +3152,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Disarm {entity_name}",
+ "trigger_entity_name": "Trigger {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} is disarmed",
+ "entity_name_is_triggered": "{entity_name} is triggered",
+ "entity_name_armed_away": "{entity_name} armed away",
+ "entity_name_armed_home": "{entity_name} armed home",
+ "entity_name_armed_night": "{entity_name} armed night",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} disarmed",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "Device dropped",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Device tilted",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3048,52 +3330,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3110,6 +3362,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3120,102 +3373,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3228,25 +3390,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3272,27 +3479,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3331,40 +3819,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3372,77 +3826,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3451,83 +3844,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/hr/hr.json b/packages/core/src/hooks/useLocale/locales/hr/hr.json
index 0bad8835..d1fffc4d 100644
--- a/packages/core/src/hooks/useLocale/locales/hr/hr.json
+++ b/packages/core/src/hooks/useLocale/locales/hr/hr.json
@@ -85,7 +85,7 @@
"reverse": "Reverse",
"medium": "Medium",
"target_humidity": "Target humidity.",
- "state": "Stanje",
+ "state": "State",
"name_target_humidity": "{name} ciljna vlažnost",
"name_current_humidity": "{name} trenutna vlažnost",
"name_humidifying": "{name} ovlaživanje",
@@ -222,7 +222,7 @@
"copied_to_clipboard": "Kopirano u međuspremnik",
"name": "Name",
"optional": "Neobavezno",
- "default": "Default",
+ "default": "Zadano",
"select_media_player": "Odabir reproduktora medijskih sadržaja",
"media_browse_not_supported": "Media Player ne podržava pregledavanje medijskih sadržaja.",
"pick_media": "Odaberite medije",
@@ -264,6 +264,7 @@
"learn_more_about_templating": "Saznajte više o izradi predložaka.",
"show_password": "Pokaži lozinku",
"hide_password": "Sakrij lozinku",
+ "ui_components_selectors_background_yaml_info": "Pozadinska slika postavlja se putem yaml editora.",
"no_logbook_events_found": "Nema pronađenih događaja u dnevniku.",
"triggered_by": "pokrenuo ",
"triggered_by_automation": "pokrenut automatizacijom",
@@ -652,7 +653,7 @@
"line_line_column_column": "line: {line}, column: {column}",
"last_changed": "Zadnja promjena",
"last_updated": "Last updated",
- "remaining_time": "Preostalo vrijeme",
+ "time_left": "Preostalo vrijeme",
"install_status": "Status instalacije",
"safe_mode": "Safe mode",
"all_yaml_configuration": "Sva YAML konfiguracija",
@@ -758,7 +759,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Napravite sigurnosnu kopiju prije ažuriranja",
"update_instructions": "Update instructions",
"current_activity": "Trenutna aktivnost",
- "status": "Status",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Naredbe usisavača:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -877,7 +878,7 @@
"restart_home_assistant": "Ponovno pokrenuti Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Brzo ponovno učitavanje",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Ponovno učitavanje konfiguracije",
"failed_to_reload_configuration": "Neuspjelo učitavanje konfiguracije",
"restart_description": "Prekida sve pokrenute automatizacije i skripte.",
@@ -907,8 +908,8 @@
"password": "Password",
"regex_pattern": "Regex uzorak",
"used_for_client_side_validation": "Koristi se za provjeru valjanosti na strani klijenta",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Polje za unos",
"slider": "Slider",
"step_size": "Veličina koraka",
@@ -1448,6 +1449,7 @@
"hide_state": "Sakrij stanje",
"ui_panel_lovelace_editor_card_tile_actions": "Akcije",
"ui_panel_lovelace_editor_card_tile_state_content_options_last_updated": "Zadnje ažuriranje",
+ "ui_panel_lovelace_editor_card_tile_state_content_options_state": "Stanje",
"vertical_stack": "Vertikalni stog",
"weather_forecast": "Vremenska prognoza",
"weather_to_show": "Prognoza za pokazati",
@@ -1565,140 +1567,119 @@
"now": "Sada",
"compare_data": "Usporedite podatke",
"reload_ui": "Ponovno učitaj korisničko sučelje",
- "tag": "Tags",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "tag": "Tags",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climate",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climate",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1727,6 +1708,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1752,31 +1734,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Sljedeća zora",
- "next_dusk": "Sljedeći sumrak",
- "next_midnight": "Sljedeća ponoć",
- "next_noon": "Sljedeće podne",
- "next_rising": "Sljedeći izlazak",
- "next_setting": "Seljedeći zalazak",
- "solar_azimuth": "Sunčev azimut",
- "solar_elevation": "Solarna nadmorska visina",
- "solar_rising": "Solarni uspon",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Kalibriranje",
+ "auto_lock_paused": "Automatsko zaključavanje pauzirano",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Nezatvoren alarm",
+ "unlocked_alarm": "Otključan alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Razina svjetla",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Trenutačno",
+ "pull_retract": "Povucite/Uvucite",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1798,34 +1765,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Plugged in",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Životinja",
"detected": "Detected",
"animal_lens": "Životinjska leća 1",
@@ -1894,10 +1903,11 @@
"image_saturation": "Zasićenost slike",
"image_sharpness": "Oštrina slike",
"message_volume": "Message volume",
- "motion_sensitivity": "Osjetljivost pokreta",
+ "motion_sensitivity": "Osjetljivost na pokret",
"pir_sensitivity": "PIR osjetljivost",
"zoom": "Zum",
"auto_quick_reply_message": "Poruka s automatskim brzim odgovorom",
+ "off": "Off",
"auto_track_method": "Način automatskog praćenja",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1948,7 +1958,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto fokus",
"auto_tracking": "Automatsko praćenje",
"doorbell_button_sound": "Zvuk gumba zvona na vratima",
@@ -1965,6 +1974,49 @@
"record": "Record",
"record_audio": "Snimi audio",
"siren_on_event": "Sirena na događaju",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist u tijeku",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Dovršeno otkrivanje govora",
+ "aggressive": "Agresivno",
+ "relaxed": "Opušteno",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Sljedeća zora",
+ "next_dusk": "Sljedeći sumrak",
+ "next_midnight": "Sljedeća ponoć",
+ "next_noon": "Sljedeće podne",
+ "next_rising": "Sljedeći izlazak",
+ "next_setting": "Seljedeći zalazak",
+ "solar_azimuth": "Sunčev azimut",
+ "solar_elevation": "Solarna nadmorska visina",
+ "solar_rising": "Solarni uspon",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1984,73 +2036,250 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Kalibriranje",
- "auto_lock_paused": "Automatsko zaključavanje pauzirano",
- "timeout": "Timeout",
- "unclosed_alarm": "Nezatvoren alarm",
- "unlocked_alarm": "Otključan alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Razina svjetla",
- "momentary": "Trenutačno",
- "pull_retract": "Povucite/Uvucite",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Plugged in",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Akcelerometar",
+ "binary_input": "Binary input",
+ "calibrated": "Kalibrirano",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "Vanjski senzor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Otvorena rukom",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Zamijenite filter",
+ "valve_alarm": "Alarm ventila",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Brava na vratima",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Odgoda gumba",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Životni vijek filtera",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Pomak lokalne temperature",
+ "max_heat_setpoint_limit": "Maksimalne zadane vrijednost topline",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Minimalna zadana vrijednost topline",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Težina porcije",
+ "presence_detection_timeout": "Istek vremena otkrivanja prisutnosti",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Količina za serviranje",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Trajanje tajmera",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Razdvojeni način rada",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Udaljenost detekcije",
+ "detection_sensitivity": "Osjetljivost detekcije",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Zaključavanje tipkovnice",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Stanje prilikom pokretanja",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Razina LED ekrana pametnog ventilatora",
+ "start_up_behavior": "Ponašanje pri pokretanju",
+ "switch_mode": "Promjena načina rada",
+ "switch_type": "Tip prekidača",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Način rada zavjese",
+ "ac_frequency": "AC frekvencija",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analogni ulaz",
+ "control_status": "Control status",
+ "device_run_time": "Vrijeme rada uređaja",
+ "device_temperature": "Temperatura uređaja",
+ "target_distance": "Target distance",
+ "filter_run_time": "Vrijeme rada filtra",
+ "formaldehyde_concentration": "Koncentracija formaldehida",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC akcija",
+ "instantaneous_demand": "Trenutačna potražnja",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Količina zadnjeg hranjenja",
+ "last_feeding_source": "Izvor posljednjeg hranjenja",
+ "last_illumination_state": "Posljednje stanje osvjetljenja",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Vlažnost lišća",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi zahtjev za grijanje",
+ "portions_dispensed_today": "Porcije podijeljene danas",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Gustoća dima",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Vlažnost tla",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Zbroj primljen",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "weight_dispensed_today": "Danas izdana težina",
+ "window_covering_type": "Vrsta prozorskog sjenila",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Ručni alarm zujalice",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "LED indikator napretka firmvera",
+ "heartbeat_indicator": "Indikator Heartbeat",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invertiraj prekidač",
+ "inverted": "Obrnuto",
+ "led_indicator": "LED indikator",
+ "linkage_alarm": "Alarm na liniji veze.",
+ "local_protection": "Lokalna zaštita",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Način rada samo 1 LED",
+ "open_window": "Open window",
+ "power_outage_memory": "Memorija kod nestanka struje",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Onemogućite klik releja u on/off modu",
+ "smart_bulb_mode": "Način rada pametne žarulje",
+ "smart_fan_mode": "Pametni način rada ventilatora",
+ "led_trigger_indicator": "LED indikator okidača",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Detekcija ventila",
+ "window_detection": "Detekcija prozora",
+ "invert_window_detection": "Invertiraj otkrivanje prozora",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Paused",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -2083,84 +2312,12 @@
"sound_pressure": "Sound pressure",
"speed": "Brzina",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Current humidity",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Current action",
- "cooling": "Cooling",
- "defrosting": "Defrosting",
- "drying": "Drying",
- "heating": "Heating",
- "preheating": "Preheating",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Both",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Not charging",
- "disconnected": "Disconnected",
- "connected": "Connected",
- "hot": "Hot",
- "no_light": "No light",
- "light_detected": "Light detected",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "Not moving",
- "unplugged": "Unplugged",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Iznad horizonta",
- "below_horizon": "Ispod horizonta",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2176,13 +2333,36 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "available_tones": "Available tones",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Clear, night",
"cloudy": "Cloudy",
"exceptional": "Exceptional",
@@ -2205,26 +2385,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Brzina udara vjetra",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "disarming": "Disarming",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2233,65 +2396,112 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locked": "Locked",
+ "locking": "Locking",
+ "unlocked": "Unlocked",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Current humidity",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Current action",
+ "cooling": "Cooling",
+ "defrosting": "Defrosting",
+ "drying": "Drying",
+ "heating": "Heating",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Both",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Not charging",
+ "disconnected": "Disconnected",
+ "connected": "Connected",
+ "hot": "Hot",
+ "no_light": "No light",
+ "light_detected": "Light detected",
+ "not_moving": "Not moving",
+ "unplugged": "Unplugged",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Želite li postaviti {name} ?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
+ "above_horizon": "Iznad horizonta",
+ "below_horizon": "Ispod horizonta",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Disarming",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
+ "device_is_already_configured": "Device is already configured",
"failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Neočekivana pogreška",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
- "device_is_already_configured": "Uređaj je već konfiguriran",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2302,27 +2512,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Nepodržana vrsta Switchbota.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Autentifikacija nije uspjela: {error_detail}",
+ "error_encryption_key_invalid": "ID ključa ili enkripcijski ključ nije valjan",
+ "name_address": "{name} ( {address} )",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2330,69 +2542,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "bluetooth_confirm_description": "Do you want to set up {name}?",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2419,48 +2589,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Bridge is already configured",
- "no_deconz_bridges_discovered": "Nije otkrivenn deCONZ bridge",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Nije moguće dohvatiti API ključ",
- "link_with_deconz": "Povežite s deCONZ-om",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorološki institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2468,155 +2637,135 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Nepodržana vrsta Switchbota.",
- "authentication_failed_error_detail": "Autentifikacija nije uspjela: {error_detail}",
- "error_encryption_key_invalid": "ID ključa ili enkripcijski ključ nije valjan",
- "name_address": "{name} ( {address} )",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Adresa uređaja",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "Bridge is already configured",
+ "no_deconz_bridges_discovered": "Nije otkrivenn deCONZ bridge",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Nije moguće dohvatiti API ključ",
+ "link_with_deconz": "Povežite s deCONZ-om",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Broj ponovnih pokušaja",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
"broker_options": "Broker options",
"enable_birth_message": "Enable birth message",
"birth_message_payload": "Birth message payload",
@@ -2632,13 +2781,44 @@
"will_message_topic": "Will message topic",
"data_description_discovery": "Option to enable MQTT automatic discovery.",
"mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2646,26 +2826,112 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Broj ponovnih pokušaja",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "menu_options_intent_migrate": "Migracija na novi radio",
+ "re_configure_the_current_radio": "Ponovno konfiguriranje trenutnog radija",
+ "migrate_or_re_configure": "Migracija ili ponovna konfiguracija",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2760,6 +3026,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
+ "increase_entity_name_brightness": "Increase {entity_name} brightness",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "First button",
+ "second_button": "Second button",
+ "third_button": "Third button",
+ "fourth_button": "Fourth button",
+ "fifth_button": "Fifth button",
+ "sixth_button": "Sixth button",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} is home",
+ "entity_name_is_not_home": "{entity_name} is not home",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} is cleaning",
+ "entity_name_is_docked": "{entity_name} is docked",
+ "entity_name_started_cleaning": "{entity_name} started cleaning",
+ "entity_name_docked": "{entity_name} docked",
+ "send_a_notification": "Pošaljite obavijest",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} is locked",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is unlocked",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opened",
+ "entity_name_unlocked": "{entity_name} unlocked",
"action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
"change_preset_on_entity_name": "Change preset on {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2767,8 +3086,22 @@
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Close {entity_name} tilt",
+ "open_entity_name_tilt": "Open {entity_name} tilt",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Set {entity_name} tilt position",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} is closed",
+ "entity_name_is_closing": "{entity_name} is closing",
+ "entity_name_is_opening": "{entity_name} is opening",
+ "current_entity_name_position_is": "Current {entity_name} position is",
+ "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
+ "entity_name_closed": "{entity_name} closed",
+ "entity_name_closing": "{entity_name} closing",
+ "entity_name_opening": "{entity_name} opening",
+ "entity_name_position_changes": "{entity_name} position changes",
+ "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
"entity_name_battery_is_low": "{entity_name} battery is low",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2777,7 +3110,6 @@
"entity_name_is_detecting_gas": "{entity_name} is detecting gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} is detecting light",
- "entity_name_is_locked": "{entity_name} is locked",
"entity_name_is_moist": "{entity_name} is moist",
"entity_name_is_detecting_motion": "{entity_name} is detecting motion",
"entity_name_is_moving": "{entity_name} is moving",
@@ -2795,11 +3127,9 @@
"entity_name_is_not_cold": "{entity_name} is not cold",
"entity_name_is_disconnected": "{entity_name} is disconnected",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} is unlocked",
"entity_name_is_dry": "{entity_name} is dry",
"entity_name_is_not_moving": "{entity_name} is not moving",
"entity_name_is_not_occupied": "{entity_name} is not occupied",
- "entity_name_is_closed": "{entity_name} is closed",
"entity_name_is_unplugged": "{entity_name} is unplugged",
"entity_name_is_not_powered": "{entity_name} is not powered",
"entity_name_is_not_present": "{entity_name} is not present",
@@ -2807,7 +3137,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} is occupied",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is plugged in",
"entity_name_is_powered": "{entity_name} is powered",
"entity_name_is_present": "{entity_name} is present",
@@ -2827,7 +3156,6 @@
"entity_name_started_detecting_gas": "{entity_name} started detecting gas",
"entity_name_became_hot": "{entity_name} became hot",
"entity_name_started_detecting_light": "{entity_name} started detecting light",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} started detecting motion",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2838,18 +3166,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} became not hot",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} closed",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
@@ -2857,7 +3182,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} plugged in",
"entity_name_powered": "{entity_name} powered",
"entity_name_present": "{entity_name} present",
@@ -2865,46 +3189,16 @@
"entity_name_started_running": "{entity_name} started running",
"entity_name_started_detecting_smoke": "{entity_name} started detecting smoke",
"entity_name_started_detecting_sound": "{entity_name} started detecting sound",
- "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
- "entity_name_became_unsafe": "{entity_name} became unsafe",
- "trigger_type_update": "{entity_name} got an update available",
- "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
- "entity_name_is_buffering": "{entity_name} is buffering",
- "entity_name_is_idle": "{entity_name} is idle",
- "entity_name_is_paused": "{entity_name} is paused",
- "entity_name_is_playing": "{entity_name} is playing",
- "entity_name_starts_buffering": "{entity_name} starts buffering",
- "entity_name_becomes_idle": "{entity_name} becomes idle",
- "entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} is home",
- "entity_name_is_not_home": "{entity_name} is not home",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
- "increase_entity_name_brightness": "Increase {entity_name} brightness",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Disarm {entity_name}",
- "trigger_entity_name": "Trigger {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} is disarmed",
- "entity_name_is_triggered": "{entity_name} is triggered",
- "entity_name_armed_away": "{entity_name} armed away",
- "entity_name_armed_home": "{entity_name} armed home",
- "entity_name_armed_night": "{entity_name} armed night",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} disarmed",
- "entity_name_triggered": "{entity_name} triggered",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
+ "entity_name_became_unsafe": "{entity_name} became unsafe",
+ "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
+ "entity_name_is_buffering": "{entity_name} is buffering",
+ "entity_name_is_idle": "{entity_name} is idle",
+ "entity_name_is_paused": "{entity_name} is paused",
+ "entity_name_is_playing": "{entity_name} is playing",
+ "entity_name_starts_buffering": "{entity_name} starts buffering",
+ "entity_name_becomes_idle": "{entity_name} becomes idle",
+ "entity_name_starts_playing": "{entity_name} starts playing",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2914,35 +3208,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Close {entity_name} tilt",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Open {entity_name} tilt",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Set {entity_name} tilt position",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} is closing",
- "entity_name_is_opening": "{entity_name} is opening",
- "current_entity_name_position_is": "Current {entity_name} position is",
- "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
- "entity_name_closing": "{entity_name} closing",
- "entity_name_opening": "{entity_name} opening",
- "entity_name_position_changes": "{entity_name} position changes",
- "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Both buttons",
"bottom_buttons": "Bottom buttons",
"seventh_button": "Seventh button",
@@ -2967,13 +3232,6 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Pošaljite obavijest",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} is cleaning",
- "entity_name_is_docked": "{entity_name} is docked",
- "entity_name_started_cleaning": "{entity_name} started cleaning",
- "entity_name_docked": "{entity_name} docked",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2984,29 +3242,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Disarm {entity_name}",
+ "trigger_entity_name": "Trigger {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} is disarmed",
+ "entity_name_is_triggered": "{entity_name} is triggered",
+ "entity_name_armed_away": "{entity_name} armed away",
+ "entity_name_armed_home": "{entity_name} armed home",
+ "entity_name_armed_night": "{entity_name} armed night",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} disarmed",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "Device dropped",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Device tilted",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3137,52 +3420,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3199,6 +3452,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3209,102 +3463,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3317,25 +3480,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Proizvođač",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR kod",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Zabilježite trenutne asyncio zadatke",
@@ -3361,27 +3569,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ brzina kretanja.",
+ "ptz_move": "PTZ kretanje",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3420,40 +3909,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3461,77 +3916,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3540,83 +3934,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ brzina kretanja.",
- "ptz_move": "PTZ kretanje",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/hu/hu.json b/packages/core/src/hooks/useLocale/locales/hu/hu.json
index 32191005..8ea32df9 100644
--- a/packages/core/src/hooks/useLocale/locales/hu/hu.json
+++ b/packages/core/src/hooks/useLocale/locales/hu/hu.json
@@ -53,7 +53,7 @@
"area_not_found": "Terület nem található.",
"last_triggered": "Utoljára aktiválva",
"run_actions": "Műveletek futtatása",
- "press": "Gomb nyomása",
+ "press": "Gombnyomás",
"image_not_available": "Kép nem elérhető",
"currently": "Jelenleg",
"on_off": "Be/Ki",
@@ -216,6 +216,7 @@
"name": "Elnevezés",
"optional": "opcionális",
"default": "Alapértelmezett",
+ "ui_common_dont_save": "Ne mentse",
"select_media_player": "Médialejátszó kiválasztása",
"media_browse_not_supported": "A médialejátszó nem támogatja a média böngészését.",
"pick_media": "Média kiválasztása",
@@ -244,7 +245,7 @@
"entity": "Entitás",
"floor": "Emelet",
"icon": "Ikon",
- "location": "Helyszín",
+ "location": "Elhelyezkedés",
"track": "Szám",
"object": "Objektum",
"rgb_color": "RGB szín",
@@ -488,7 +489,7 @@
"source_long_term_statistics": "Forrás: Hosszú távú statisztikák",
"history_charts_zoom_hint": "Használja a CTRL + görgetést a nagyításhoz/kicsinyítéshez",
"history_charts_zoom_hint_mac": "Használja a ⌘ + görgetést a nagyításhoz/kicsinyítéshez",
- "reset_zoom": "Zoom visszaállítása",
+ "reset_zoom": "Nagyítás visszaállítása",
"unable_to_load_map": "Nem sikerült betölteni a térképet",
"loading_statistics": "Statisztika betöltése…",
"no_statistics_found": "Nem található statisztika.",
@@ -621,7 +622,7 @@
"weekday": "hétköznap",
"until": "amíg",
"for": "-ig",
- "in": "Múlva",
+ "in": "Késleltet",
"on_the": "ekkor",
"or": "Vagy",
"at": "kor",
@@ -639,7 +640,7 @@
"line_line_column_column": "sor: {line}, oszlop: {column}",
"last_changed": "Utoljára módosítva",
"last_updated": "Utoljára frissült",
- "remaining_time": "Hátralévő idő",
+ "time_left": "Hátralévő idő",
"install_status": "Telepítés állapota",
"safe_mode": "Csökkentett mód",
"all_yaml_configuration": "Teljes YAML konfiguráció",
@@ -742,6 +743,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Biztonsági mentés készítése frissítés előtt",
"update_instructions": "Frissítési utasítások",
"current_activity": "Jelenlegi tevékenység",
+ "status": "Állapot 2",
"vacuum_cleaner_commands": "Porszívó parancsok:",
"fan_speed": "Ventilátor sebesség",
"clean_spot": "Pozíció takarítása",
@@ -776,7 +778,7 @@
"default_code": "Alapértelmezett kód",
"editor_default_code_error": "A kód formátuma nem megfelelő",
"entity_id": "Entitás azonosító",
- "unit_of_measurement": "Mértékegység",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "Csapadék mértékegysége",
"display_precision": "Pontosság",
"default_value": "Alapértelmezett ({value})",
@@ -858,7 +860,7 @@
"restart_home_assistant": "Újraindítás mehet?",
"advanced_options": "Speciális beállítások",
"quick_reload": "Gyors újratöltés",
- "reload_description": "Újratölti az összes elérhető szkriptet.",
+ "reload_description": "Újratölti az időzítőket a YAML-konfigurációból.",
"reloading_configuration": "Konfiguráció újratöltése",
"failed_to_reload_configuration": "A konfiguráció újratöltése nem sikerült",
"restart_description": "Megszakítja az összes futó automatizmust és szkriptet.",
@@ -886,8 +888,8 @@
"password": "Jelszó",
"regex_pattern": "Regex minta",
"used_for_client_side_validation": "Kliensoldali bevitel-érvényesítéshez használható",
- "minimum_value": "Minimális érték",
- "maximum_value": "Maximális érték",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Beviteli mező",
"slider": "Csúszka",
"step": "Lépték",
@@ -907,7 +909,7 @@
"system_options_for_integration": "{integration} rendszerbeállításai",
"enable_newly_added_entities": "Újonnan hozzáadott entitások engedélyezése",
"enable_polling_for_changes": "Lekérdezés engedélyezése a változásokhoz",
- "reconfiguring_device": "Eszköz újrakonfigurálása",
+ "reconfigure_device": "Eszköz újrakonfigurálása",
"configuring": "Konfigurálás folyamatban",
"start_reconfiguration": "Újrakonfigurálás indítása",
"device_reconfiguration_complete": "Az eszköz újrakonfigurálása befejeződött.",
@@ -1174,14 +1176,13 @@
"bottom_left": "Bal alsó sarok",
"bottom_center": "Alsó közép",
"bottom_right": "Jobb alsó sarok",
- "background_opacity": "Háttér átlátszatlansága",
+ "background_opacity": "Háttér átlátszósága",
"background_repeat": "Háttér ismétlése",
"repeat_tile": "Ismétlődő (csempézés)",
"background_attachment": "Háttér rögzítése",
"scroll": "Görgethető",
"fixed": "Rögzített",
"ui_panel_lovelace_editor_edit_view_background_title": "Adjon hozzá hátteret a nézethez",
- "ui_panel_lovelace_editor_edit_view_background_transparency": "Háttér átlátszósága",
"edit_view": "Nézet szerkesztése",
"move_view_left": "Nézet mozgatása balra",
"move_view_right": "Nézet mozgatása jobbra",
@@ -1207,7 +1208,7 @@
"ui_panel_lovelace_editor_edit_view_type_helper_sections": "A nézetet nem tudja megváltoztatni a \"szakaszok\" nézettípus használatára, mivel a migráció még nem támogatott. Kezdje elölről egy új nézettel, ha a \"szakaszok\" nézettel szeretne kísérletezni.",
"card_configuration": "Kártya konfiguráció",
"type_card_configuration": "{type} kártya konfiguráció",
- "edit_card_pick_card": "Melyik kártyát szeretné hozzáadni?",
+ "add_to_dashboard": "Hozzáadás az irányítópulthoz",
"toggle_editor": "Szerkesztő",
"you_have_unsaved_changes": "Vannak nem mentett változtatásai",
"edit_card_confirm_cancel": "Biztos benne, hogy meg szeretné szakítani?",
@@ -1235,7 +1236,6 @@
"edit_badge_pick_badge": "Melyik jelvényt szeretné hozzáadni?",
"add_badge": "Jelvény hozzáadása",
"suggest_card_header": "Javasolt kártya",
- "add_to_dashboard": "Hozzáadás az irányítópulthoz",
"move_card_strategy_error_title": "Nem lehet átmozgatni a kártyát",
"card_moved_successfully": "A kártya sikeresen áthelyezve",
"error_while_moving_card": "Hiba történt a kártya áthelyezése közben",
@@ -1316,7 +1316,7 @@
"web_link": "Webes hivatkozás",
"buttons": "Gombok",
"cast": "Cast",
- "button": "Gomb",
+ "button": "Nyomógomb",
"entity_filter": "Entitás szűrő",
"secondary_information": "Másodlagos információ",
"gauge": "Műszer",
@@ -1408,6 +1408,12 @@
"graph_type": "Grafikon típusa",
"to_do_list": "Teendőlista",
"hide_completed_items": "Teljesített elemek elrejtése",
+ "ui_panel_lovelace_editor_card_todo_list_display_order": "Megjelenítési sorrend",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc": "Betűrendben (A-Z)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_desc": "Betűrendben (Z-A)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc": "Határidő (Leghamarabb elöl)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc": "Határidő (Legújabb elöl)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_manual": "Kézi",
"thermostat": "Termosztát",
"thermostat_show_current_as_primary": "Az aktuális hőmérséklet megjelenítése elsődleges információként",
"tile": "Csempe",
@@ -1509,7 +1515,7 @@
"yellow_green": "Sárgászöld",
"ui_panel_lovelace_editor_color_picker_colors_teal": "Kékeszöld",
"ui_panel_lovelace_editor_edit_section_title_title_new": "Név hozzáadása",
- "warning_attribute_not_found": "{attribute} attribútum nem érhető el {entity} entitásban.",
+ "warning_attribute_not_found": "A(z) {attribute} attribútum nem érhető el a(z) {entity} entitásban.",
"entity_not_available_entity": "Entitás nem elérhető: {entity}",
"entity_is_non_numeric_entity": "Entitás nem numerikus: {entity}",
"warning_entity_unavailable": "Az entitás jelenleg nem érhető el: {entity}",
@@ -1518,139 +1524,117 @@
"now": "Most",
"compare_data": "Összehasonlítás",
"reload_ui": "Felhasználói felület újratöltése",
- "input_datetime": "Időpont bemenet",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Időzítő",
- "local_calendar": "Helyi naptár",
- "intent": "Intent",
- "device_tracker": "Eszköz nyomkövető",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Logikai váltó",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "Mobil alkalmazás",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnosztika",
+ "filesize": "Fájlméret",
+ "group": "Csoport",
+ "binary_sensor": "Bináris érzékelő",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Választási bemenet",
+ "device_automation": "Device Automation",
+ "person": "Személy",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "script": "Szkript",
"fan": "Ventilátor",
- "weather": "Időjárás",
- "camera": "Kamera",
+ "scene": "Scene",
"schedule": "Ütemezés",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automatizmus",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Időjárás",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Beszélgetés",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Szöveg bemenet",
- "valve": "Szelep",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Klíma",
- "binary_sensor": "Bináris érzékelő",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist segédállomás",
+ "automation": "Automatizmus",
+ "system_log": "System Log",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Szelep",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Helyi naptár",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Sziréna",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Fűnyíró",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zóna",
- "auth": "Auth",
- "event": "Esemény",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Eszköz nyomkövető",
+ "remote": "Távirányító",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Kapcsoló",
+ "persistent_notification": "Állandó értesítés",
+ "vacuum": "Porszívó",
+ "reolink": "Reolink",
+ "camera": "Kamera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Állandó értesítés",
- "trace": "Trace",
- "remote": "Távirányító",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Számláló",
- "filesize": "Fájlméret",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Szám bemenet",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi tápegység ellenőrző",
+ "conversation": "Beszélgetés",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Klíma",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Logikai váltó",
- "lawn_mower": "Fűnyíró",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Esemény",
+ "zone": "Zóna",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Riasztó központ",
- "input_select": "Választási bemenet",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobil alkalmazás",
+ "timer": "Időzítő",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Kapcsoló",
+ "input_datetime": "Időpont bemenet",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Számláló",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Alkalmazás hitelesítő adatai",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Csoport",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnosztika",
- "person": "Személy",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Szöveg bemenet",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Szám bemenet",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Alkalmazás hitelesítő adatai",
- "siren": "Sziréna",
- "bluetooth": "Bluetooth",
- "input_button": "Nyomógomb",
- "vacuum": "Porszívó",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi tápegység ellenőrző",
- "assist_satellite": "Assist segédállomás",
- "script": "Szkript",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Tevékenységi kalória",
- "awakenings_count": "Ébredések száma",
- "battery_level": "Akkumulátor töltöttségi szint",
- "bmi": "BMI",
- "body_fat": "Testzsír",
- "calories": "Kalória",
- "calories_bmr": "Alapanyagcsere kalória",
- "calories_in": "Elfogyasztott kalória",
- "level": "Szint",
- "minutes_after_wakeup": "Percek ébredés után",
- "minutes_fairly_active": "Mérsékelten aktív percek",
- "minutes_lightly_active": "Könnyedén aktív percek",
- "minutes_sedentary": "Ülő életmód percei",
- "minutes_very_active": "Nagyon aktív percek",
- "resting_heart_rate": "Nyugalmi pulzus",
- "sleep_efficiency": "Alvás hatékonysága",
- "sleep_minutes_asleep": "Alvással töltött percek",
- "sleep_minutes_awake": "Ébren töltött percek alvás közben",
- "sleep_minutes_to_fall_asleep_name": "Elalváshoz szükséges percek",
- "sleep_start_time": "Alvás kezdési ideje",
- "sleep_time_in_bed": "Ágyban töltött alvási idő",
- "steps": "Lépések",
"battery_low": "Alacsony akkumulátortöltöttség",
"cloud_connection": "Felhőkapcsolat",
"humidity_warning": "Páratartalom figyelmeztetés",
@@ -1664,7 +1648,7 @@
"pan_right": "Forgatás jobbra",
"stop_alarm": "Riasztás leállítása",
"test_alarm": "Teszt riasztás",
- "tilt_down": "Döntsd lefelé",
+ "tilt_down": "Döntés lefelé",
"tilt_up": "Döntés felfelé",
"live_view": "Élő nézet",
"turn_off_in": "Kapcsolja ki a",
@@ -1679,6 +1663,7 @@
"alarm_source": "Riasztás forrása",
"auto_off_at": "Automatikus kikapcsolás",
"available_firmware_version": "Elérhető firmware verzió",
+ "battery_level": "Akkumulátor töltöttségi szint",
"this_month_s_consumption": "E havi fogyasztás",
"today_s_consumption": "Mai fogyasztás",
"total_consumption": "Teljes fogyasztás",
@@ -1704,30 +1689,16 @@
"motion_sensor": "Mozgásérzékelő",
"smooth_transitions": "Sima átmenetek",
"tamper_detection": "Szabotázsérzékelés",
- "next_dawn": "Következő hajnal",
- "next_dusk": "Következő alkonyat",
- "next_midnight": "Következő éjfél",
- "next_noon": "Következő dél",
- "next_rising": "Következő napfelkelte",
- "next_setting": "Következő naplemente",
- "solar_azimuth": "Nap azimut",
- "solar_elevation": "Nap eleváció",
- "solar_rising": "Napfelkelte",
- "day_of_week": "A hét napja",
- "noise": "Zaj",
- "overload": "Túlterhelés",
- "working_location": "Munkahely",
- "created": "Létrehozva",
- "size": "Méret",
- "size_in_bytes": "Méret bájtban",
- "compressor_energy_consumption": "Kompresszor energiafogyasztása",
- "compressor_estimated_power_consumption": "Kompresszor becsült teljesítménye",
- "compressor_frequency": "Kompresszor frekvencia",
- "cool_energy_consumption": "Hűtési energiafogyasztás",
- "energy_consumption": "Energiafogyasztás",
- "heat_energy_consumption": "Hőenergia-fogyasztás",
- "inside_temperature": "Belső hőmérséklet",
- "outside_temperature": "Külső hőmérséklet",
+ "calibration": "Kalibráció",
+ "auto_lock_paused": "Az automatikus zárolás szünetel",
+ "timeout": "Időtúllépés",
+ "unclosed_alarm": "Lezáratlan riasztás",
+ "unlocked_alarm": "Feloldott riasztás",
+ "bluetooth_signal": "Bluetooth jel",
+ "light_level": "Fényerő szint",
+ "wi_fi_signal": "Wi-Fi jel",
+ "momentary": "Pillanatnyi",
+ "pull_retract": "Be/visszahúzás",
"process_process": "Folyamat {process}",
"disk_free_mount_point": "Szabad lemezterület {mount_point}",
"disk_use_mount_point": "Lemezhasználat {mount_point}",
@@ -1749,34 +1720,74 @@
"swap_usage": "Swap használat",
"network_throughput_in_interface": "Bejövő hálózati átviteli sebesség {interface}",
"network_throughput_out_interface": "Kimenő hálózati átviteli sebesség {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Asszisztensi feladat",
- "preferred": "Preferált",
- "finished_speaking_detection": "Beszédfelismerés befejeződött",
- "aggressive": "Kemény",
- "relaxed": "Laza",
- "os_agent_version": "OS Agent verzió",
- "apparmor_version": "Apparmor verzió",
- "cpu_percent": "CPU százalék",
- "disk_free": "Szabad tárhely",
- "disk_total": "Össz tárhely",
- "disk_used": "Foglalt tárhely",
- "memory_percent": "Memória százalék",
- "version": "Verzió",
- "newest_version": "Legújabb verzió",
+ "day_of_week": "A hét napja",
+ "noise": "Zaj",
+ "overload": "Túlterhelés",
+ "activity_calories": "Tevékenységi kalória",
+ "awakenings_count": "Ébredések száma",
+ "bmi": "BMI",
+ "body_fat": "Testzsír",
+ "calories": "Kalória",
+ "calories_bmr": "Alapanyagcsere kalória",
+ "calories_in": "Elfogyasztott kalória",
+ "level": "Szint",
+ "minutes_after_wakeup": "Percek ébredés után",
+ "minutes_fairly_active": "Mérsékelten aktív percek",
+ "minutes_lightly_active": "Könnyedén aktív percek",
+ "minutes_sedentary": "Ülő életmód percei",
+ "minutes_very_active": "Nagyon aktív percek",
+ "resting_heart_rate": "Nyugalmi pulzus",
+ "sleep_efficiency": "Alvás hatékonysága",
+ "sleep_minutes_asleep": "Alvással töltött percek",
+ "sleep_minutes_awake": "Ébren töltött percek alvás közben",
+ "sleep_minutes_to_fall_asleep_name": "Elalváshoz szükséges percek",
+ "sleep_start_time": "Alvás kezdési ideje",
+ "sleep_time_in_bed": "Ágyban töltött alvási idő",
+ "steps": "Lépések",
"synchronize_devices": "Eszközök szinkronizálása",
- "estimated_distance": "Becsült távolság",
- "brand": "Gyártó",
- "quiet": "Halk",
- "wake_word": "Ébresztő szó",
- "okay_nabu": "Oké Nabu",
- "auto_gain": "Automatikus erősítés",
+ "ding": "Csengés",
+ "last_recording": "Utolsó felvétel",
+ "intercom_unlock": "Intercom feloldása",
+ "doorbell_volume": "Ajtócsengő hangerő",
"mic_volume": "Mikrofon hangerő",
- "noise_suppression_level": "Zajcsökkentési szint",
- "off": "Ki",
- "mute": "Némít",
+ "voice_volume": "Beszéd hangerő",
+ "last_activity": "Utolsó tevékenység",
+ "last_ding": "Utolsó csengés",
+ "last_motion": "Utolsó mozgás",
+ "wi_fi_signal_category": "Wi-Fi jel kategória",
+ "wi_fi_signal_strength": "Wi-Fi jel erőssége",
+ "in_home_chime": "Beltéri csengő",
+ "compressor_energy_consumption": "Kompresszor energiafogyasztása",
+ "compressor_estimated_power_consumption": "Kompresszor becsült teljesítménye",
+ "compressor_frequency": "Kompresszor frekvencia",
+ "cool_energy_consumption": "Hűtési energiafogyasztás",
+ "energy_consumption": "Energiafogyasztás",
+ "heat_energy_consumption": "Hőenergia-fogyasztás",
+ "inside_temperature": "Belső hőmérséklet",
+ "outside_temperature": "Külső hőmérséklet",
+ "device_admin": "Eszköz-rendszergazda",
+ "kiosk_mode": "Kioszk mód",
+ "plugged_in": "Csatlakoztatva",
+ "load_start_url": "Kezdő URL betöltése",
+ "restart_browser": "Böngésző újraindítása",
+ "restart_device": "Eszköz újraindítása",
+ "send_to_background": "Háttérbe küldés",
+ "bring_to_foreground": "Előtérbe hozás",
+ "screenshot": "Képernyőkép",
+ "overlay_message": "Felbukkanó üzenet",
+ "screen_brightness": "Képernyő fényereje",
+ "screen_off_timer": "Képernyő kikapcsolási időzítő",
+ "screensaver_brightness": "Képernyővédő fényerő",
+ "screensaver_timer": "Képernyővédő időzítő",
+ "current_page": "Aktuális oldal",
+ "foreground_app": "Előtérben lévő alkalmazás",
+ "internal_storage_free_space": "Belső tárhely szabad",
+ "internal_storage_total_space": "Belső tárhely kapacitás",
+ "total_memory": "Teljes memória",
+ "screen_orientation": "Képernyő tájolás",
+ "kiosk_lock": "Kioszk zárolás",
+ "maintenance_mode": "Karbantartási üzemmód",
+ "screensaver": "Képernyővédő",
"animal": "Állat",
"detected": "Észlelve",
"animal_lens": "Állat objektív 1",
@@ -1850,6 +1861,7 @@
"pir_sensitivity": "PIR érzékenység",
"zoom": "Nagyítás",
"auto_quick_reply_message": "Automatikus gyors válaszüzenet",
+ "off": "Ki",
"auto_track_method": "Automatikus követési módszer",
"digital": "Digitális",
"digital_first": "Digitális prioritás",
@@ -1899,7 +1911,6 @@
"ptz_pan_position": "PTZ pásztázási pozíció",
"ptz_tilt_position": "PTZ dőlésszög pozíció",
"sd_hdd_index_storage": "SD {hdd_index} tárhely",
- "wi_fi_signal": "Wi-Fi jel",
"auto_focus": "Automatikus fókusz",
"auto_tracking": "Automatikus követés",
"doorbell_button_sound": "Ajtócsengő gomb hangja",
@@ -1916,6 +1927,49 @@
"record": "Rögzít",
"record_audio": "Hang rögzítés",
"siren_on_event": "Sziréna eseménynél",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Létrehozva",
+ "size": "Méret",
+ "size_in_bytes": "Méret bájtban",
+ "assist_in_progress": "Asszisztensi feladat",
+ "quiet": "Halk",
+ "preferred": "Preferált",
+ "finished_speaking_detection": "Beszédfelismerés befejeződött",
+ "aggressive": "Kemény",
+ "relaxed": "Laza",
+ "wake_word": "Ébresztő szó",
+ "okay_nabu": "Oké Nabu",
+ "os_agent_version": "OS Agent verzió",
+ "apparmor_version": "Apparmor verzió",
+ "cpu_percent": "CPU százalék",
+ "disk_free": "Szabad tárhely",
+ "disk_total": "Össz tárhely",
+ "disk_used": "Foglalt tárhely",
+ "memory_percent": "Memória százalék",
+ "version": "Verzió",
+ "newest_version": "Legújabb verzió",
+ "auto_gain": "Automatikus erősítés",
+ "noise_suppression_level": "Zajcsökkentési szint",
+ "mute": "Némít",
+ "bytes_received": "Fogadott bájtok",
+ "server_country": "Kiszolgáló országa",
+ "server_id": "Kiszolgáló azonosítója",
+ "server_name": "Kiszolgáló neve",
+ "ping": "Ping",
+ "upload": "Feltöltés",
+ "bytes_sent": "Küldött bájtok",
+ "working_location": "Munkahely",
+ "next_dawn": "Következő hajnal",
+ "next_dusk": "Következő alkonyat",
+ "next_midnight": "Következő éjfél",
+ "next_noon": "Következő dél",
+ "next_rising": "Következő napfelkelte",
+ "next_setting": "Következő naplemente",
+ "solar_azimuth": "Nap azimut",
+ "solar_elevation": "Nap eleváció",
+ "solar_rising": "Napfelkelte",
"heavy": "Nehéz",
"mild": "Enyhe",
"button_down": "Lefele gomb",
@@ -1930,72 +1984,248 @@
"warm_up": "Bemelegítés",
"not_completed": "Nem készült el",
"pending": "Függőben",
- "closing": "Záródik",
"opened": "Nyitott",
- "ding": "Csengés",
- "last_recording": "Utolsó felvétel",
- "intercom_unlock": "Intercom feloldása",
- "doorbell_volume": "Ajtócsengő hangerő",
- "voice_volume": "Beszéd hangerő",
- "last_activity": "Utolsó tevékenység",
- "last_ding": "Utolsó csengés",
- "last_motion": "Utolsó mozgás",
- "wi_fi_signal_category": "Wi-Fi jel kategória",
- "wi_fi_signal_strength": "Wi-Fi jel erőssége",
- "in_home_chime": "Beltéri csengő",
- "calibration": "Kalibráció",
- "auto_lock_paused": "Az automatikus zárolás szünetel",
- "timeout": "Időtúllépés",
- "unclosed_alarm": "Lezáratlan riasztás",
- "unlocked_alarm": "Feloldott riasztás",
- "bluetooth_signal": "Bluetooth jel",
- "light_level": "Fényerő szint",
- "momentary": "Pillanatnyi",
- "pull_retract": "Be/visszahúzás",
- "bytes_received": "Fogadott bájtok",
- "server_country": "Kiszolgáló országa",
- "server_id": "Kiszolgáló azonosítója",
- "server_name": "Kiszolgáló neve",
- "ping": "Ping",
- "upload": "Feltöltés",
- "bytes_sent": "Küldött bájtok",
- "device_admin": "Eszköz-rendszergazda",
- "kiosk_mode": "Kioszk mód",
- "plugged_in": "Csatlakoztatva",
- "load_start_url": "Kezdő URL betöltése",
- "restart_browser": "Böngésző újraindítása",
- "restart_device": "Eszköz újraindítása",
- "send_to_background": "Háttérbe küldés",
- "bring_to_foreground": "Előtérbe hozás",
- "screenshot": "Képernyőkép",
- "overlay_message": "Felbukkanó üzenet",
- "screen_brightness": "Képernyő fényereje",
- "screen_off_timer": "Képernyő kikapcsolási időzítő",
- "screensaver_brightness": "Képernyővédő fényerő",
- "screensaver_timer": "Képernyővédő időzítő",
- "current_page": "Aktuális oldal",
- "foreground_app": "Előtérben lévő alkalmazás",
- "internal_storage_free_space": "Belső tárhely szabad",
- "internal_storage_total_space": "Belső tárhely kapacitás",
- "total_memory": "Teljes memória",
- "screen_orientation": "Képernyő tájolás",
- "kiosk_lock": "Kioszk zárolás",
- "maintenance_mode": "Karbantartási üzemmód",
- "screensaver": "Képernyővédő",
- "last_scanned_by_device_id_name": "Utoljára beolvasva az eszközazonosító által",
- "tag_id": "Matrica azonosítója",
- "managed_via_ui": "Felhasználói felület által kezelt",
- "pattern": "Minta",
- "minute": "Perc",
- "second": "Másodperc",
- "timestamp": "Időbélyeg",
- "stopped": "Megállítva",
+ "estimated_distance": "Becsült távolság",
+ "brand": "Gyártó",
+ "accelerometer": "Gyorsulásmérő",
+ "binary_input": "Bináris bemenet",
+ "calibrated": "Kalibrálva",
+ "consumer_connected": "Fogyasztó csatlakoztatva",
+ "external_sensor": "Külső érzékelő",
+ "frost_lock": "Fagyzár",
+ "opened_by_hand": "Kézzel kinyitva",
+ "heat_required": "Szükséges hő",
+ "ias_zone": "IAS zóna",
+ "linkage_alarm_state": "Kapcsolódási riasztás állapota",
+ "mounting_mode_active": "Szerelési mód aktív",
+ "open_window_detection_status": "Nyitott ablak észlelési állapot",
+ "pre_heat_status": "Előmelegítési állapot",
+ "replace_filter": "Szűrő cseréje",
+ "valve_alarm": "Szelep riasztás",
+ "open_window_detection": "Nyitott ablak észlelése",
+ "feed": "Etetés",
+ "frost_lock_reset": "Fagyzár visszaállítása",
+ "presence_status_reset": "Jelenléti állapot visszaállítása",
+ "reset_summation_delivered": "Összegzés nullázása",
+ "self_test": "Önteszt",
+ "keen_vent": "Keen ventilátor",
+ "fan_group": "Ventilátor csoport",
+ "light_group": "Lámpa csoport",
+ "door_lock": "Ajtózár",
+ "ambient_sensor_correction": "Környezeti érzékelő korrekció",
+ "approach_distance": "Megközelítési távolság",
+ "automatic_switch_shutoff_timer": "Automatikus kikapcsolás időzítő",
+ "away_preset_temperature": "Távoli előre beállított hőmérséklet",
+ "boost_amount": "Boost mértéke",
+ "button_delay": "Gomb késleltetés",
+ "local_default_dimming_level": "Alapértelmezett helyi halványítási szint",
+ "remote_default_dimming_level": "Alapértelmezett távoli halványítási szint",
+ "default_move_rate": "Alapértelmezett mozgási sebesség",
+ "detection_delay": "Észlelési késleltetés",
+ "maximum_range": "Maximális hatótáv",
+ "minimum_range": "Minimális hatótáv",
+ "detection_interval": "Érzékelési időköz",
+ "local_dimming_down_speed": "Helyi fényerő csökkentési sebesség",
+ "remote_dimming_down_speed": "Távoli fényerő csökkentési sebesség",
+ "local_dimming_up_speed": "Helyi fényerő növelési sebesség",
+ "display_activity_timeout": "Kijelző aktivitási időkorlát",
+ "display_brightness": "Kijelző fényerő",
+ "display_inactive_brightness": "Kijelző inaktív fényerő",
+ "double_tap_down_level": "Dupla koppintás lefelé szint",
+ "double_tap_up_level": "Dupla koppintás felfelé szint",
+ "exercise_start_time": "Gyakorlás kezdési ideje",
+ "external_sensor_correction": "Külső érzékelő korrekció",
+ "external_temperature_sensor": "Külső hőmérséklet érzékelő",
+ "fading_time": "Halványítási idő",
+ "fallback_timeout": "Tartalék időkorlát",
+ "filter_life_time": "Szűrő élettartama",
+ "fixed_load_demand": "Fix terhelési igény",
+ "frost_protection_temperature": "Fagyvédelmi hőmérséklet",
+ "irrigation_cycles": "Öntözési ciklusok",
+ "irrigation_interval": "Öntözési időköz",
+ "irrigation_target": "Öntözési célérték",
+ "led_color_when_off_name": "Alapértelmezetten az összes LED kikapcsolt színe",
+ "led_color_when_on_name": "Alapértelmezetten az összes LED bekapcsolt színe",
+ "led_intensity_when_off_name": "Alapértelmezett LED kikapcsolt intenzitás",
+ "led_intensity_when_on_name": "Alapértelmezett LED bekapcsolt intenzitás",
+ "load_level_indicator_timeout": "Terhelési szintjelző időtúllépés",
+ "load_room_mean": "Helyiség terhelési átlaga",
+ "local_temperature_offset": "Helyi hőmérséklet-eltolás",
+ "max_heat_setpoint_limit": "Maximális fűtési határérték",
+ "maximum_load_dimming_level": "Maximális terhelés fényerő-szabályozási szintje",
+ "min_heat_setpoint_limit": "Minimális fűtési határérték",
+ "minimum_load_dimming_level": "Minimális terhelés fényerő-szabályozási szintje",
+ "off_led_intensity": "LED intenzitás - kikapcsolva",
+ "off_transition_time": "Kikapcsolási átmeneti idő",
+ "on_led_intensity": "LED intenzitás - bekapcsolva",
+ "on_level": "Bekapcsolt szint",
+ "on_off_transition_time": "Be/Ki kapcsolási átmeneti idő",
+ "on_transition_time": "Bekapcsolási átmeneti idő",
+ "open_window_detection_guard_period_name": "Nyitott ablak érzékelési védelmi periódus",
+ "open_window_detection_threshold": "Nyitott ablak érzékelési küszöbérték",
+ "open_window_event_duration": "Nyitott ablak esemény időtartam",
+ "portion_weight": "Adag súlya",
+ "presence_detection_timeout": "Jelenlét-észlelési időtúllépés",
+ "presence_sensitivity": "Jelenlét érzékenység",
+ "fade_time": "Halványulási idő",
+ "quick_start_time": "Gyors indítási idő",
+ "ramp_rate_off_to_on_local_name": "Helyi átmeneti arány kikapcsoltból bekapcsoltba",
+ "ramp_rate_off_to_on_remote_name": "Távoli átmeneti arány kikapcsoltból bekapcsoltba",
+ "ramp_rate_on_to_off_local_name": "Helyi átmeneti arány bekapcsoltból kikapcsoltba",
+ "ramp_rate_on_to_off_remote_name": "Távoli átmeneti arány bekapcsoltból kikapcsoltba",
+ "regulation_setpoint_offset": "Szabályozási alapérték eltolás",
+ "regulator_set_point": "Szabályozó alapérték",
+ "serving_to_dispense": "Kiadandó adag",
+ "siren_time": "Sziréna időtartama",
+ "start_up_color_temperature": "Indulási színhőmérséklet",
+ "start_up_current_level": "Indítási áram szintje",
+ "start_up_default_dimming_level": "Alapértelmezett indítási halványítási szint",
+ "timer_duration": "Időzítő időtartama",
+ "timer_time_left": "Időzítő hátralévő ideje",
+ "transmit_power": "Adásteljesítmény",
+ "valve_closing_degree": "Szelepzárási fok",
+ "irrigation_time": "Öntözési idő 2",
+ "valve_opening_degree": "Szelepnyitási fok",
+ "adaptation_run_command": "Adaptáció futtatási parancs",
+ "backlight_mode": "Háttérvilágítás mód",
+ "click_mode": "Kattintási mód",
+ "control_type": "Vezérlési típus",
+ "decoupled_mode": "Leválasztott üzemmód",
+ "default_siren_level": "Alapértelmezett sziréna szint",
+ "default_siren_tone": "Alapértelmezett sziréna hang",
+ "default_strobe": "Alapértelmezett villogó",
+ "default_strobe_level": "Alapértelmezett villogó szint",
+ "detection_distance": "Érzékelési távolság",
+ "detection_sensitivity": "Érzékelési érzékenység",
+ "exercise_day_of_week_name": "Gyakorlás napja a héten",
+ "external_temperature_sensor_type": "Külső hőmérséklet-érzékelő típus",
+ "external_trigger_mode": "Külső indítási mód",
+ "heat_transfer_medium": "Hőátadó közeg",
+ "heating_emitter_type": "Hősugárzó típus",
+ "heating_fuel": "Fűtőanyag",
+ "non_neutral_output": "Nem semleges kimenet",
+ "irrigation_mode": "Öntözési mód",
+ "keypad_lockout": "Billentyűzetzár",
+ "dimming_mode": "Halványítási mód",
+ "led_scaling_mode": "Led skálázási mód",
+ "local_temperature_source": "Helyi hőmérséklet forrás",
+ "monitoring_mode": "Figyelési mód",
+ "off_led_color": "LED színe - kikapcsolva",
+ "on_led_color": "LED színe - bekapcsolva",
+ "operation_mode": "Működési mód",
+ "output_mode": "Kimeneti mód",
+ "power_on_state": "Bekapcsolt állapot",
+ "regulator_period": "Szabályozó periódus",
+ "sensor_mode": "Érzékelő mód",
+ "setpoint_response_time": "Alapérték beállításának reakcióideje",
+ "smart_fan_led_display_levels_name": "Intelligens ventilátor led kijelző szintek",
+ "start_up_behavior": "Indítási viselkedés",
+ "switch_mode": "Üzemmód váltása",
+ "switch_type": "Kapcsoló típusa",
+ "thermostat_application": "Termosztát alkalmazás",
+ "thermostat_mode": "Termosztát mód",
+ "valve_orientation": "Szelep tájolás",
+ "viewing_direction": "Nézési irány",
+ "weather_delay": "Időjárási késés",
+ "curtain_mode": "Függöny mód",
+ "ac_frequency": "AC frekvencia",
+ "adaptation_run_status": "Adaptációs futás állapota",
+ "in_progress": "Folyamatban",
+ "run_successful": "Sikeres futtatás",
+ "valve_characteristic_lost": "Szelep karakterisztika elveszett",
+ "analog_input": "Analóg bemenet",
+ "control_status": "Vezérlési állapot",
+ "device_run_time": "Eszköz futási ideje",
+ "device_temperature": "Eszköz hőmérséklete",
+ "target_distance": "Céltávolság",
+ "filter_run_time": "Szűrő futási ideje",
+ "formaldehyde_concentration": "Formaldehid koncentráció",
+ "hooks_state": "Horgok állapota",
+ "hvac_action": "HVAC művelet",
+ "instantaneous_demand": "Azonnali igény",
+ "irrigation_duration": "Öntözés időtartama 1",
+ "last_irrigation_duration": "Utolsó öntözés időtartama",
+ "irrigation_end_time": "Öntözés befejezési ideje",
+ "irrigation_start_time": "Öntözés kezdési ideje",
+ "last_feeding_size": "Utolsó etetési méret",
+ "last_feeding_source": "Utolsó etetési forrás",
+ "last_illumination_state": "Utolsó megvilágítási állapot",
+ "last_valve_open_duration": "Utolsó szelepnyitás időtartama",
+ "leaf_wetness": "Levélnedvesség",
+ "load_estimate": "Terhelés becslés",
+ "floor_temperature": "Padló hőmérséklet",
+ "lqi": "LQI",
+ "motion_distance": "Mozgási távolság",
+ "motor_stepcount": "Motor lépésszám",
+ "open_window_detected": "Nyitott ablak észlelve",
+ "overheat_protection": "Túlmelegedés elleni védelem",
+ "pi_heating_demand": "Pi fűtési igény",
+ "portions_dispensed_today": "Ma kiadott adagok",
+ "pre_heat_time": "Előmelegítési idő",
+ "rssi": "RSSI",
+ "self_test_result": "Önellenőrzés eredménye",
+ "setpoint_change_source": "Alapérték változásának forrása",
+ "smoke_density": "Füst sűrűsége",
+ "software_error": "Szoftver hiba",
+ "good": "Jó",
+ "critical_low_battery": "Kritikusan alacsony akkumulátor töltöttség",
+ "encoder_jammed": "A kódoló elakadt",
+ "invalid_clock_information": "Érvénytelen óraadatok",
+ "invalid_internal_communication": "Érvénytelen belső kommunikáció",
+ "low_battery": "Alacsony töltöttségű akkumulátor",
+ "motor_error": "Motor hiba",
+ "non_volatile_memory_error": "Nem felejtő memória hiba",
+ "radio_communication_error": "Rádió kommunikációs hiba",
+ "side_pcb_sensor_error": "Oldalsó PCB érzékelő hiba",
+ "top_pcb_sensor_error": "Felső PCB érzékelő hiba",
+ "unknown_hw_error": "Ismeretlen HW hiba",
+ "soil_moisture": "Talajnedvesség",
+ "summation_delivered": "Összegzett mennyiség",
+ "summation_received": "Összegzés érkezett",
+ "tier_summation_delivered": "6. szintű összegzett mennyiség",
+ "timer_state": "Időzítő állapota",
+ "weight_dispensed_today": "Ma kiadott súly",
+ "window_covering_type": "Ablakfedő típusa",
+ "adaptation_run_enabled": "Adaptációs futás engedélyezve",
+ "aux_switch_scenes": "Aux kapcsoló jelenetek",
+ "binding_off_to_on_sync_level_name": "Kikapcsoltból bekapcsolt állapotra szinkronizáció szintje",
+ "buzzer_manual_alarm": "Hangjelző kézi riasztás",
+ "buzzer_manual_mute": "Hangjelző kézi némítása",
+ "detach_relay": "Relé leválasztása",
+ "disable_clear_notifications_double_tap_name": "Az értesítések törléséhez kapcsolja ki a konfigurációt kétszeri koppintással",
+ "disable_led": "LED kikapcsolása",
+ "double_tap_down_enabled": "Dupla koppintás lefelé engedélyezve",
+ "double_tap_up_enabled": "Dupla koppintás felfelé engedélyezve",
+ "double_up_full_name": "Dupla koppintás bekapcsolva - teljes",
+ "enable_siren": "Sziréna engedélyezése",
+ "external_window_sensor": "Külső ablakérzékelő",
+ "distance_switch": "Távolsági kapcsoló",
+ "firmware_progress_led": "Firmware folyamatjelző LED",
+ "heartbeat_indicator": "Működésjelző",
+ "heat_available": "Fűtés elérhető",
+ "hooks_locked": "Horgok zárolva",
+ "invert_switch": "Invertáló kapcsoló",
+ "led_indicator": "LED kijelző",
+ "linkage_alarm": "Kapcsolódási riasztás",
+ "local_protection": "Helyi védelem",
+ "mounting_mode": "Szerelési mód",
+ "only_led_mode": "Csak 1 LED üzemmód",
+ "open_window": "Nyitott ablak",
+ "power_outage_memory": "Áramszünet memória",
+ "prioritize_external_temperature_sensor": "Külső hőmérséklet-érzékelő előnyben részesítése",
+ "relay_click_in_on_off_mode_name": "Relé kattintás letiltása be-/kikapcsolási módban",
+ "smart_bulb_mode": "Intelligens izzó üzemmód",
+ "smart_fan_mode": "Intelligens ventilátor mód",
+ "led_trigger_indicator": "LED-es eseményjelző",
+ "turbo_mode": "Turbó mód",
+ "use_internal_window_detection": "Belső ablakérzékelés használata",
+ "use_load_balancing": "Terheléselosztás használata",
+ "valve_detection": "Szelep érzékelés",
+ "window_detection": "Ablak érzékelés",
+ "invert_window_detection": "Ablak észlelésének megfordítása",
+ "available_tones": "Elérhető hangok",
"device_trackers": "Eszközkövetők",
"gps_accuracy": "GPS pontosság",
- "paused": "Szünetel",
- "finishes_at": "Befejezés:",
- "remaining": "Hátralévő:",
- "restore": "Visszaállítás",
"last_reset": "Utolsó nullázás",
"possible_states": "Lehetséges állapotok",
"state_class": "Állapotosztály",
@@ -2028,76 +2258,12 @@
"sound_pressure": "Hangnyomás",
"speed": "Sebesség",
"sulphur_dioxide": "Kén-dioxid",
+ "timestamp": "Időbélyeg",
"vocs": "Illékony szerves vegyületek",
"volume_flow_rate": "Térfogatáram",
"stored_volume": "Tárolt mennyiség",
"weight": "Súly",
- "cool": "Hűtés",
- "fan_only": "Csak ventilátor",
- "heat_cool": "Fűtés/hűtés",
- "aux_heat": "Kiegészítő fűtés",
- "current_humidity": "Aktuális páratartalom",
- "current_temperature": "Current Temperature",
- "fan_mode": "Ventilátor mód",
- "diffuse": "Diffúz",
- "middle": "Középső",
- "top": "Felső",
- "current_action": "Aktuális művelet",
- "defrosting": "Leolvasztás",
- "preheating": "Előmelegítés",
- "max_target_humidity": "Maximális cél páratartalom",
- "max_target_temperature": "Maximális célhőmérséklet",
- "min_target_humidity": "Minimális cél páratartalom",
- "min_target_temperature": "Minimális célhőmérséklet",
- "boost": "Turbó",
- "comfort": "Komfort",
- "eco": "Takarékos",
- "presets": "Előbeállítások",
- "horizontal_swing_mode": "Vízszintes legyezési mód",
- "swing_mode": "Legyezés mód",
- "both": "Mindkettő",
- "horizontal": "Vízszintes",
- "upper_target_temperature": "Felső célhőmérséklet",
- "lower_target_temperature": "Alsó célhőmérséklet",
- "target_temperature_step": "Célhőmérséklet lépték",
- "not_charging": "Nem töltődik",
- "disconnected": "Leválasztva",
- "connected": "Kapcsolódva",
- "hot": "Forró",
- "no_light": "Nincs fény",
- "light_detected": "Fény észlelve",
- "locked": "Zárolt",
- "unlocked": "Feloldva",
- "not_moving": "Nincs mozgás",
- "unplugged": "Kihúzva",
- "not_running": "Kikapcsolva",
- "safe": "Biztonságos",
- "unsafe": "Nem biztonságos",
- "tampering_detected": "Szabotázs észlelve",
- "box": "Doboz",
- "above_horizon": "Látóhatár felett",
- "below_horizon": "Látóhatár alatt",
- "buffering": "Pufferelés",
- "standby": "Készenlétben",
- "app_id": "App azonosító",
- "local_accessible_entity_picture": "Helyileg elérhető entitáskép",
- "group_members": "Az összekapcsolt csoport tagjai",
- "muted": "Némítva",
- "album_artist": "Album előadó",
- "content_id": "Tartalom azonosító",
- "content_type": "Tartalom típusa",
- "position_updated": "Pozíció frissítve",
- "series": "Sorozat",
- "all": "Összes",
- "one": "Egy",
- "available_sound_modes": "Elérhető hangzás módok",
- "available_sources": "Elérhető források/bemenetek",
- "receiver": "Vevőegység",
- "speaker": "Hangszóró",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Útválasztó",
+ "managed_via_ui": "Felhasználói felület által kezelt",
"color_mode": "Color Mode",
"brightness_only": "Csak fényerő",
"hs": "HS",
@@ -2113,12 +2279,31 @@
"minimum_color_temperature_kelvin": "Minimális színhőmérséklet (Kelvin)",
"minimum_color_temperature_mireds": "Minimális színhőmérséklet (mired)",
"available_color_modes": "Elérhető színmódok",
- "available_tones": "Elérhető hangok",
"docked": "Dokkolva",
"mowing": "Fűnyírás",
+ "paused": "Szünetel",
"returning": "Visszatérés",
+ "pattern": "Minta",
+ "running_automations": "Futó automatizmusok",
+ "max_running_scripts": "Maximálisan futó szkriptek",
+ "run_mode": "Futtatás módja",
+ "parallel": "Párhuzamos",
+ "queued": "Sorba állítás",
+ "single": "Egyszeri",
+ "auto_update": "Automatikus frissítés",
+ "installed_version": "Telepített verzió",
+ "release_summary": "Kiadási összefoglaló",
+ "release_url": "Kiadási URL",
+ "skipped_version": "Kihagyott verzió",
+ "firmware": "Firmware",
"speed_step": "Sebességfokozat",
"available_preset_modes": "Elérhető gyári profilok",
+ "minute": "Perc",
+ "second": "Másodperc",
+ "next_event": "Következő esemény",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Útválasztó",
"clear_night": "Csillagos",
"cloudy": "Felhős",
"exceptional": "Rendkívüli",
@@ -2141,24 +2326,9 @@
"uv_index": "UV index",
"wind_bearing": "Szélhajtás",
"wind_gust_speed": "Széllökés sebessége",
- "auto_update": "Automatikus frissítés",
- "in_progress": "Folyamatban",
- "installed_version": "Telepített verzió",
- "release_summary": "Kiadási összefoglaló",
- "release_url": "Kiadási URL",
- "skipped_version": "Kihagyott verzió",
- "firmware": "Firmware",
- "armed_away": "Élesítve távoli",
- "armed_custom_bypass": "Élesítve áthidalással",
- "armed_home": "Élesítve otthoni",
- "armed_night": "Élesítve éjszakai",
- "armed_vacation": "Élesítve vakáció",
- "triggered": "Riasztva",
- "changed_by": "Módosította",
- "code_for_arming": "Élesítési kód",
- "not_required": "Nem szükséges",
- "code_format": "Kód formátuma",
"identify": "Azonosítás",
+ "cleaning": "Takarítás",
+ "returning_to_dock": "Dokkolás folyamatban",
"recording": "Felvétel",
"streaming": "Streamelés",
"access_token": "Hozzáférési token",
@@ -2166,159 +2336,161 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Modell",
+ "last_scanned_by_device_id_name": "Utoljára beolvasva az eszközazonosító által",
+ "tag_id": "Matrica azonosítója",
+ "box": "Doboz",
+ "jammed": "Elakadt",
+ "locked": "Zárolt",
+ "unlocked": "Feloldva",
+ "changed_by": "Módosította",
+ "code_format": "Kód formátuma",
+ "members": "Tagok",
+ "listening": "Hallgatás",
+ "process": "Feldolgozás",
+ "responding": "Válaszadás",
+ "id": "ID",
+ "max_running_automations": "Max. futó automatizmusok",
+ "cool": "Hűtés",
+ "fan_only": "Csak ventilátor",
+ "heat_cool": "Fűtés/hűtés",
+ "aux_heat": "Kiegészítő fűtés",
+ "current_humidity": "Aktuális páratartalom",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Ventilátor mód",
+ "diffuse": "Diffúz",
+ "middle": "Középső",
+ "top": "Felső",
+ "current_action": "Aktuális művelet",
+ "defrosting": "Leolvasztás",
+ "preheating": "Előmelegítés",
+ "max_target_humidity": "Maximális cél páratartalom",
+ "max_target_temperature": "Maximális célhőmérséklet",
+ "min_target_humidity": "Minimális cél páratartalom",
+ "min_target_temperature": "Minimális célhőmérséklet",
+ "boost": "Turbó",
+ "comfort": "Komfort",
+ "eco": "Takarékos",
+ "presets": "Előbeállítások",
+ "horizontal_swing_mode": "Vízszintes legyezési mód",
+ "swing_mode": "Legyezés mód",
+ "both": "Mindkettő",
+ "horizontal": "Vízszintes",
+ "upper_target_temperature": "Felső célhőmérséklet",
+ "lower_target_temperature": "Alsó célhőmérséklet",
+ "target_temperature_step": "Célhőmérséklet lépték",
+ "stopped": "Megállítva",
+ "not_charging": "Nem töltődik",
+ "disconnected": "Leválasztva",
+ "connected": "Kapcsolódva",
+ "hot": "Forró",
+ "no_light": "Nincs fény",
+ "light_detected": "Fény észlelve",
+ "not_moving": "Nincs mozgás",
+ "unplugged": "Kihúzva",
+ "not_running": "Kikapcsolva",
+ "safe": "Biztonságos",
+ "unsafe": "Nem biztonságos",
+ "tampering_detected": "Szabotázs észlelve",
+ "buffering": "Pufferelés",
+ "standby": "Készenlétben",
+ "app_id": "App azonosító",
+ "local_accessible_entity_picture": "Helyileg elérhető entitáskép",
+ "group_members": "Az összekapcsolt csoport tagjai",
+ "muted": "Némítva",
+ "album_artist": "Album előadó",
+ "content_id": "Tartalom azonosító",
+ "content_type": "Tartalom típusa",
+ "position_updated": "Pozíció frissítve",
+ "series": "Sorozat",
+ "all": "Összes",
+ "one": "Egy",
+ "available_sound_modes": "Elérhető hangzás módok",
+ "available_sources": "Elérhető források/bemenetek",
+ "receiver": "Vevőegység",
+ "speaker": "Hangszóró",
+ "tv": "TV",
"end_time": "Befejezés ideje",
- "start_time": "Kezdés ideje",
- "next_event": "Következő esemény",
+ "start_time": "Kezdési ideje",
"event_type": "Esemény típus",
"event_types": "Eseménytípusok",
"doorbell": "Ajtócsengő",
- "running_automations": "Futó automatizmusok",
- "id": "ID",
- "max_running_automations": "Max. futó automatizmusok",
- "run_mode": "Futtatás módja",
- "parallel": "Párhuzamos",
- "queued": "Sorba állítás",
- "single": "Egyszeri",
- "cleaning": "Takarítás",
- "returning_to_dock": "Dokkolás folyamatban",
- "listening": "Hallgatás",
- "process": "Feldolgozás",
- "responding": "Válaszadás",
- "max_running_scripts": "Maximálisan futó szkriptek",
- "jammed": "Elakadt",
- "members": "Tagok",
- "known_hosts": "Ismert hosztok",
- "google_cast_configuration": "Google Cast konfiguráció",
- "confirm_description": "Szeretné beállítani a(z) {name} eszközt?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "A fiók már konfigurálva van",
- "abort_already_in_progress": "A konfigurálás már folyamatban van",
- "failed_to_connect": "Sikertelen csatlakozás",
- "invalid_access_token": "Érvénytelen hozzáférési token",
- "invalid_authentication": "Érvénytelen hitelesítés",
- "received_invalid_token_data": "Érvénytelen token adatok érkeztek.",
- "abort_oauth_failed": "Hiba a hozzáférési token megszerzése közben.",
- "timeout_resolving_oauth_token": "Időtúllépés az OAuth-token feloldásakor.",
- "abort_oauth_unauthorized": "OAuth engedélyezési hiba a hozzáférési token megszerzése során.",
- "re_authentication_was_successful": "Az újrahitelesítés sikeres volt",
- "unexpected_error": "Váratlan hiba",
- "successfully_authenticated": "Sikeres hitelesítés",
- "link_fitbit": "Fitbit összekapcsolása",
- "pick_authentication_method": "Válasszon egy hitelesítési módszert",
- "authentication_expired_for_name": "A(z) {name} hitelesítése lejárt",
+ "above_horizon": "Látóhatár felett",
+ "below_horizon": "Látóhatár alatt",
+ "armed_away": "Élesítve távoli",
+ "armed_custom_bypass": "Élesítve áthidalással",
+ "armed_home": "Élesítve otthoni",
+ "armed_night": "Élesítve éjszakai",
+ "armed_vacation": "Élesítve vakáció",
+ "triggered": "Riasztva",
+ "code_for_arming": "Élesítési kód",
+ "not_required": "Nem szükséges",
+ "finishes_at": "Befejezés:",
+ "remaining": "Hátralévő:",
+ "restore": "Visszaállítás",
"device_is_already_configured": "Az eszköz már konfigurálva van",
+ "failed_to_connect": "Sikertelen csatlakozás",
"abort_no_devices_found": "Nem található eszköz a hálózaton",
+ "re_authentication_was_successful": "Az újrahitelesítés sikeres volt",
"re_configuration_was_successful": "Újrakonfigurálás sikeres volt",
"connection_error_error": "Csatlakozási hiba: {error}",
"unable_to_authenticate_error": "Nem sikerült hitelesíteni: {error}",
"camera_stream_authentication_failed": "A kamera stream hitelesítése sikertelen",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "A kamera élő nézetének engedélyezése",
- "username": "Felhasználónév",
+ "username": "Username",
"camera_auth_confirm_description": "Adja meg az eszköz kamera fiókjának hitelesítési adatait.",
"set_camera_account_credentials": "Állítsa be a kamera fiók hitelesítési adatait",
"authenticate": "Hitelesítés",
+ "authentication_expired_for_name": "A(z) {name} hitelesítése lejárt",
"host": "Host",
- "reconfigure_description": "Frissítse a(z) {mac} eszköz konfigurációját.",
+ "reconfigure_description": "Frissítse a(z) {mac} eszköz konfigurációját",
"reconfigure_tplink_entry": "TPLink bejegyzés újrakonfigurálása",
"abort_single_instance_allowed": "Már konfigurálva van. Csak egy konfiguráció lehetséges.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "El szeretné kezdeni a beállítást?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Hiba történt a SwitchBot API-val való kommunikáció során: {error_detail}",
+ "unsupported_switchbot_type": "Nem támogatott Switchbot típus.",
+ "unexpected_error": "Váratlan hiba",
+ "authentication_failed_error_detail": "Hitelesítés sikertelen: {error_detail}",
+ "error_encryption_key_invalid": "A kulcs azonosítója vagy a titkosítási kulcs érvénytelen",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Szeretné beállítani a(z) {name} eszközt?",
+ "switchbot_account_recommended": "SwitchBot-fiók (ajánlott)",
+ "enter_encryption_key_manually": "Titkosítási kulcs megadása manuálisan",
+ "encryption_key": "Titkosítási kulcs",
+ "key_id": "Kulcsazonosító",
+ "password_description": "Jelszó, amellyel a biztonsági mentést védeni kívánja.",
+ "mac_address": "MAC cím",
"service_is_already_configured": "A szolgáltatás már konfigurálva van",
- "invalid_ics_file": "Érvénytelen .ics fájl",
- "calendar_name": "Naptár elnevezése",
- "starting_data": "Kezdő adatok",
+ "abort_already_in_progress": "A konfigurálás már folyamatban van",
"abort_invalid_host": "Érvénytelen gépnév vagy IP-cím",
"device_not_supported": "Az eszköz nem támogatott",
+ "invalid_authentication": "Érvénytelen hitelesítés",
"name_model_at_host": "{name} ({model} a {host} címen)",
"authenticate_to_the_device": "Hitelesítés az eszközön",
"finish_title": "Válasszon nevet az eszköznek",
"unlock_the_device": "Eszköz feloldása",
"unlock_the_device_optional": "Az eszköz feloldása (opcionális)",
"connect_to_the_device": "Csatlakozás az eszközhöz",
- "abort_missing_credentials": "Az integrációhoz az alkalmazás hitelesítő adataira van szükség.",
- "timeout_establishing_connection": "Időtúllépés a kapcsolat létrehozása során",
- "link_google_account": "Google-fiók összekapcsolása",
- "path_is_not_allowed": "Az elérési út nem engedélyezett",
- "path_is_not_valid": "Az elérési út érvénytelen",
- "path_to_file": "A fájl elérési útja",
- "api_key": "API kulcs",
- "configure_daikin_ac": "Daikin légkondícionáló konfigurálása",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Válasszon ki egy Bluetooth-adaptert a beállításhoz",
- "arm_away_action": "Távolléti élesítés művelet",
- "arm_custom_bypass_action": "Egyedi áthidalás élesítés művelet",
- "arm_home_action": "Otthoni élesítés művelet",
- "arm_night_action": "Éjszakai élesítés művelet",
- "arm_vacation_action": "Vakáció élesítés művelet",
- "code_arm_required": "Élesítési kód szükséges",
- "disarm_action": "Hatástalanítás művelet",
- "trigger_action": "Riasztási művelet",
- "value_template": "Érték sablon",
- "template_alarm_control_panel": "Sablon riasztó vezérlőpanel",
- "device_class": "Eszközosztály",
- "state_template": "Állapotsablon",
- "template_binary_sensor": "Sablon bináris érzékelő",
- "actions_on_press": "Nyomásra végrehajtandó műveletek",
- "template_button": "Sablon gomb",
- "verify_ssl_certificate": "SSL-tanúsítvány ellenőrzése",
- "template_image": "Sablon kép",
- "actions_on_set_value": "Műveletek az érték beállításakor",
- "step_value": "Lépés értéke",
- "template_number": "Sablon szám",
- "available_options": "Elérhető lehetőségek",
- "actions_on_select": "Műveletek a kiválasztáskor",
- "template_select": "Sablon kiválasztása",
- "template_sensor": "Sablon érzékelő",
- "actions_on_turn_off": "Műveletek kikapcsoláskor",
- "actions_on_turn_on": "Műveletek bekapcsoláskor",
- "template_switch": "Sablon kapcsoló",
- "template_a_binary_sensor": "Bináris érzékelő sablonja",
- "template_a_button": "Gomb sablon",
- "template_an_image": "Kép sablonozása",
- "template_a_select": "Válasszon sablont",
- "template_a_sensor": "Érzékelő sablon",
- "template_a_switch": "Kapcsoló létrehozása sablonnal",
- "template_helper": "Sablon segítő",
- "invalid_host": "Érvénytelen hoszt.",
- "wrong_smartthings_token": "Hibás SmartThings token.",
- "error_st_device_not_found": "SmartThings TV eszközazonosító (deviceID) nem található.",
- "error_st_device_used": "SmartThings TV eszközazonosító (deviceID) már használatban van.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Hoszt vagy IP cím",
- "data_name": "Az entitásnak adott név",
- "smartthings_generated_token_optional": "SmartThings által generált token (opcionális)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV eszközazonosító (deviceID)",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "A fiók már konfigurálva van",
+ "invalid_access_token": "Érvénytelen hozzáférési token",
+ "received_invalid_token_data": "Érvénytelen token adatok érkeztek.",
+ "abort_oauth_failed": "Hiba a hozzáférési token megszerzése közben.",
+ "timeout_resolving_oauth_token": "Időtúllépés az OAuth-token feloldásakor.",
+ "abort_oauth_unauthorized": "OAuth engedélyezési hiba a hozzáférési token megszerzése során.",
+ "successfully_authenticated": "Sikeres hitelesítés",
+ "link_fitbit": "Fitbit összekapcsolása",
+ "pick_authentication_method": "Válasszon egy hitelesítési módszert",
+ "two_factor_code": "Kétfaktoros kód",
+ "two_factor_authentication": "Kétfaktoros hitelesítés",
+ "reconfigure_ring_integration": "Ring integráció újrakonfigurálása",
+ "sign_in_with_ring_account": "Bejelentkezés a Ring fiókkal",
+ "abort_alternative_integration": "Az eszközt jobban támogatja egy másik integráció",
+ "abort_incomplete_config": "A konfigurációból hiányzik egy szükséges változó",
+ "manual_description": "URL egy eszközleíró XML fájlhoz",
+ "manual_title": "DLNA DMR eszköz manuális csatlakoztatása",
+ "discovered_dlna_dmr_devices": "Felfedezett DLNA DMR eszközök",
+ "broadcast_address": "Broadcast cím",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Nem sikerült lekérdezni a(z) {addon} kiegészítő adatait.",
"abort_addon_install_failed": "Nem sikerült telepíteni a(z) {addon} kiegészítőt.",
"abort_addon_start_failed": "Nem sikerült elindítani a(z) {addon} kiegészítőt.",
@@ -2345,48 +2517,47 @@
"starting_add_on": "Kiegészítő indítása",
"menu_options_addon": "Használja a hivatalos {addon} kiegészítőt.",
"menu_options_broker": "Kérjük, adja meg az MQTT bróker kapcsolat adatait",
- "bridge_is_already_configured": "A híd már konfigurálva van",
- "no_deconz_bridges_discovered": "Nem található deCONZ híd",
- "abort_no_hardware_available": "Nincs deCONZ-hoz csatlakoztatott rádióhardver",
- "abort_updated_instance": "A deCONZ-példány új állomáscímmel frissítve",
- "error_linking_not_possible": "Nem tudott kapcsolódni az átjáróhoz",
- "error_no_key": "API kulcs lekérése nem sikerült",
- "link_with_deconz": "Kapcsolódás a deCONZ-hoz",
- "select_discovered_deconz_gateway": "Válassza ki a felfedezett deCONZ átjárót",
- "pin_code": "PIN-kód",
- "discovered_android_tv": "Felfedezett Android TV",
- "abort_mdns_missing_mac": "Hiányzó MAC-cím az MDNS-tulajdonságokban.",
- "abort_mqtt_missing_api": "Hiányzó API-port az MQTT tulajdonságaiban.",
- "abort_mqtt_missing_ip": "Hiányzó IP-cím az MQTT tulajdonságaiban.",
- "abort_mqtt_missing_mac": "Hiányzó MAC-cím az MQTT tulajdonságaiban.",
- "missing_mqtt_payload": "Hiányzó MQTT adattartalom.",
- "action_received": "Művelet fogadva",
- "discovered_esphome_node": "ESPHome végpont felfedezve",
- "encryption_key": "Titkosítási kulcs",
- "no_port_for_endpoint": "Nincs port a végponthoz",
- "abort_no_services": "Nem található szolgáltatás a végponton",
- "discovered_wyoming_service": "Felderített Wyoming szolgáltatás",
- "abort_alternative_integration": "Az eszközt jobban támogatja egy másik integráció",
- "abort_incomplete_config": "A konfigurációból hiányzik egy szükséges változó",
- "manual_description": "URL egy eszközleíró XML fájlhoz",
- "manual_title": "DLNA DMR eszköz manuális csatlakoztatása",
- "discovered_dlna_dmr_devices": "Felfedezett DLNA DMR eszközök",
+ "api_key": "API kulcs",
+ "configure_daikin_ac": "Daikin légkondícionáló konfigurálása",
+ "cannot_connect_details_error_detail": "Sikertelen csatlkozás. Részletek: {error_detail}",
+ "unknown_details_error_detail": "Ismeretlen. Részletek: {error_detail}",
+ "uses_an_ssl_certificate": "SSL tanúsítványt használ",
+ "verify_ssl_certificate": "SSL-tanúsítvány ellenőrzése",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Válasszon ki egy Bluetooth-adaptert a beállításhoz",
"api_error_occurred": "API hiba történt",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "HTTPS engedélyezése",
- "broadcast_address": "Broadcast cím",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC-cím",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorológiai intézet (Norvégia)",
- "ipv_is_not_supported": "Az IPv6 nem támogatott.",
- "error_custom_port_not_supported": "A Gen1 eszköz nem támogatja az egyéni portot.",
- "two_factor_code": "Kétfaktoros kód",
- "two_factor_authentication": "Kétfaktoros hitelesítés",
- "reconfigure_ring_integration": "Ring integráció újrakonfigurálása",
- "sign_in_with_ring_account": "Bejelentkezés a Ring fiókkal",
+ "timeout_establishing_connection": "Időtúllépés a kapcsolat létrehozása során",
+ "link_google_account": "Összekapcsolás Google-al",
+ "path_is_not_allowed": "Az elérési út nem engedélyezett",
+ "path_is_not_valid": "Az elérési út érvénytelen",
+ "path_to_file": "A fájl elérési útja",
+ "pin_code": "PIN-kód",
+ "discovered_android_tv": "Felfedezett Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Érvénytelen hoszt.",
+ "wrong_smartthings_token": "Hibás SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV eszközazonosító (deviceID) nem található.",
+ "error_st_device_used": "SmartThings TV eszközazonosító (deviceID) már használatban van.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Hoszt vagy IP cím",
+ "data_name": "Az entitásnak adott név",
+ "smartthings_generated_token_optional": "SmartThings által generált token (opcionális)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV eszközazonosító (deviceID)",
"all_entities": "Minden entitás",
"hide_members": "Tagok elrejtése",
"create_group": "Csoport létrehozása",
+ "device_class": "Device Class",
"ignore_non_numeric": "A nem numerikus értékek figyelmen kívül hagyása",
"data_round_digits": "Az érték kerekítése ennyi tizedesjegyre",
"type": "Típus",
@@ -2394,29 +2565,203 @@
"button_group": "Gombcsoport",
"cover_group": "Árnyékoló csoport",
"event_group": "Eseménycsoport",
- "fan_group": "Ventilátor csoport",
- "light_group": "Lámpa csoport",
"lock_group": "Zár csoport",
"media_player_group": "Médialejátszó csoport",
"notify_group": "Csoport értesítése",
"sensor_group": "Érzékelő csoport",
"switch_group": "Kapcsolócsoport",
- "abort_api_error": "Hiba történt a SwitchBot API-val való kommunikáció során: {error_detail}",
- "unsupported_switchbot_type": "Nem támogatott Switchbot típus.",
- "authentication_failed_error_detail": "Hitelesítés sikertelen: {error_detail}",
- "error_encryption_key_invalid": "A kulcs azonosítója vagy a titkosítási kulcs érvénytelen",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot-fiók (ajánlott)",
- "enter_encryption_key_manually": "Titkosítási kulcs megadása manuálisan",
- "key_id": "Kulcsazonosító",
- "password_description": "Jelszó, amellyel a biztonsági mentést védeni kívánja.",
- "device_address": "Eszköz címe",
- "cannot_connect_details_error_detail": "Sikertelen csatlkozás. Részletek: {error_detail}",
- "unknown_details_error_detail": "Ismeretlen. Részletek: {error_detail}",
- "uses_an_ssl_certificate": "SSL tanúsítványt használ",
+ "known_hosts": "Ismert hosztok",
+ "google_cast_configuration": "Google Cast konfiguráció",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Hiányzó MAC-cím az MDNS-tulajdonságokban.",
+ "abort_mqtt_missing_api": "Hiányzó API-port az MQTT tulajdonságaiban.",
+ "abort_mqtt_missing_ip": "Hiányzó IP-cím az MQTT tulajdonságaiban.",
+ "abort_mqtt_missing_mac": "Hiányzó MAC-cím az MQTT tulajdonságaiban.",
+ "missing_mqtt_payload": "Hiányzó MQTT adattartalom.",
+ "action_received": "Művelet fogadva",
+ "discovered_esphome_node": "ESPHome végpont felfedezve",
+ "bridge_is_already_configured": "A híd már konfigurálva van",
+ "no_deconz_bridges_discovered": "Nem található deCONZ híd",
+ "abort_no_hardware_available": "Nincs deCONZ-hoz csatlakoztatott rádióhardver",
+ "abort_updated_instance": "A deCONZ-példány új állomáscímmel frissítve",
+ "error_linking_not_possible": "Nem tudott kapcsolódni az átjáróhoz",
+ "error_no_key": "API kulcs lekérése nem sikerült",
+ "link_with_deconz": "Kapcsolódás a deCONZ-hoz",
+ "select_discovered_deconz_gateway": "Válassza ki a felfedezett deCONZ átjárót",
+ "abort_missing_credentials": "Az integrációhoz az alkalmazás hitelesítő adataira van szükség.",
+ "no_port_for_endpoint": "Nincs port a végponthoz",
+ "abort_no_services": "Nem található szolgáltatás a végponton",
+ "discovered_wyoming_service": "Felderített Wyoming szolgáltatás",
+ "ipv_is_not_supported": "Az IPv6 nem támogatott.",
+ "error_custom_port_not_supported": "A Gen1 eszköz nem támogatja az egyéni portot.",
+ "arm_away_action": "Távolléti élesítés művelet",
+ "arm_custom_bypass_action": "Egyedi áthidalás élesítés művelet",
+ "arm_home_action": "Otthoni élesítés művelet",
+ "arm_night_action": "Éjszakai élesítés művelet",
+ "arm_vacation_action": "Vakáció élesítés művelet",
+ "code_arm_required": "Élesítési kód szükséges",
+ "disarm_action": "Hatástalanítás művelet",
+ "trigger_action": "Riasztási művelet",
+ "value_template": "Érték sablon",
+ "template_alarm_control_panel": "Sablon riasztó vezérlőpanel",
+ "state_template": "Állapotsablon",
+ "template_binary_sensor": "Sablon bináris érzékelő",
+ "actions_on_press": "Nyomásra végrehajtandó műveletek",
+ "template_button": "Sablon gomb",
+ "template_image": "Sablon kép",
+ "actions_on_set_value": "Műveletek az érték beállításakor",
+ "step_value": "Lépés értéke",
+ "template_number": "Sablon szám",
+ "available_options": "Elérhető lehetőségek",
+ "actions_on_select": "Műveletek a kiválasztáskor",
+ "template_select": "Sablon kiválasztása",
+ "template_sensor": "Sablon érzékelő",
+ "actions_on_turn_off": "Műveletek kikapcsoláskor",
+ "actions_on_turn_on": "Műveletek bekapcsoláskor",
+ "template_switch": "Sablon kapcsoló",
+ "template_a_binary_sensor": "Bináris érzékelő sablonja",
+ "template_a_button": "Gomb sablon",
+ "template_an_image": "Kép sablonozása",
+ "template_a_select": "Válasszon sablont",
+ "template_a_sensor": "Érzékelő sablon",
+ "template_a_switch": "Kapcsoló létrehozása sablonnal",
+ "template_helper": "Sablon segítő",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "Ez az eszköz nem zha eszköz",
+ "abort_usb_probe_failed": "Nem sikerült a USB eszköz lekérdezése",
+ "invalid_backup_json": "Érvénytelen JSON biztonsági másolat",
+ "choose_an_automatic_backup": "Automatikus biztonsági mentés kiválasztása",
+ "restore_automatic_backup": "Automatikus biztonsági mentés visszaállítása",
+ "choose_formation_strategy_description": "Válassza ki a rádió hálózati beállításait.",
+ "create_a_network": "Hálózat létrehozása",
+ "keep_radio_network_settings": "Rádióhálózati beállítások megtartása",
+ "upload_a_manual_backup": "Kézi biztonsági másolat feltöltése",
+ "network_formation": "Hálózat kialakítása",
+ "serial_device_path": "Soros eszköz elérési útja",
+ "select_a_serial_port": "Soros port kiválasztása",
+ "radio_type": "Rádió típusa",
+ "manual_pick_radio_type_description": "Válassza ki a Zigbee rádió típusát",
+ "port_speed": "Port sebesség",
+ "data_flow_control": "Adatáramlás szabályozása",
+ "manual_port_config_description": "Adja meg a soros port beállításait",
+ "serial_port_settings": "Soros port beállításai",
+ "data_overwrite_coordinator_ieee": "A rádió IEEE-címének végleges cseréje",
+ "overwrite_radio_ieee_address": "A rádió IEEE-címének felülírása",
+ "upload_a_file": "Fájl feltöltése",
+ "radio_is_not_recommended": "Nem ajánlott rádióadapter",
+ "invalid_ics_file": "Érvénytelen .ics fájl",
+ "calendar_name": "Naptár elnevezése",
+ "starting_data": "Kezdő adatok",
+ "zha_alarm_options_alarm_arm_requires_code": "Az élesítési műveletekhez szükséges kód",
+ "zha_alarm_options_alarm_master_code": "A riasztó központ(ok) mesterkódja",
+ "alarm_control_panel_options": "Riasztó vezérlőpanel opciók",
+ "zha_options_consider_unavailable_battery": "Elemmel ellátott eszközök nem elérhető állapotúak ennyi idő után (mp.)",
+ "zha_options_consider_unavailable_mains": "Hálózati tápellátású eszközök nem elérhető állapotúak ennyi idő után (mp.)",
+ "zha_options_default_light_transition": "Alapértelmezett fényátmenet ideje (másodperc)",
+ "zha_options_group_members_assume_state": "A csoport tagjai átveszik a csoport állapotát",
+ "zha_options_light_transitioning_flag": "Fokozott fényerő-szabályozó engedélyezése fényváltáskor",
+ "global_options": "Globális beállítások",
+ "force_nightlatch_operation_mode": "Éjszakai zár működésének kényszerítése",
+ "retry_count": "Újrapróbálkozások száma",
+ "data_process": "Érzékelőként hozzáadandó folyamatok",
+ "invalid_url": "Érvénytelen URL",
+ "data_browse_unfiltered": "Inkompatibilis média megjelenítése böngészés közben",
+ "event_listener_callback_url": "Eseményfigyelő visszahívási URL (callback)",
+ "data_listen_port": "Eseményfigyelő port (véletlenszerű, ha nincs megadva)",
+ "poll_for_device_availability": "Lekérdezés az eszközök elérhetőségéről",
+ "init_title": "DLNA konfiguráció",
+ "broker_options": "Bróker opciók",
+ "enable_birth_message": "Születési \"Birth\" üzenet engedélyezése",
+ "birth_message_payload": "Születési \"Birth\" üzenet tartalma",
+ "birth_message_qos": "Születési \"Birth\" üzenet QoS",
+ "birth_message_retain": "Születési \"Birth\" üzenet tartása",
+ "birth_message_topic": "Születési \"Birth\" üzenet témája",
+ "enable_discovery": "Felfedezés engedélyezése",
+ "discovery_prefix": "Felfedezés előtag",
+ "enable_will_message": "Búcsú \"Will\" üzenet engedélyezése",
+ "will_message_payload": "Búcsú \"Will\" üzenet tartalma",
+ "will_message_qos": "Búcsú \"Will\" üzenet QoS",
+ "will_message_retain": "Búcsú \"Will\" üzenet tartása",
+ "will_message_topic": "Búcsú \"Will\" üzenet témája",
+ "data_description_discovery": "Az MQTT automatikus felfedezésének bekapcsolási lehetősége.",
+ "mqtt_options": "MQTT opciók",
+ "passive_scanning": "Passzív figyelés",
+ "protocol": "Protokoll",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Nyelvi kód",
+ "samsungtv_smart_options": "SamsungTV Smart beállítások",
+ "data_use_st_status_info": "Használja a SmartThings TV állapotinformációt",
+ "data_use_st_channel_info": "Használja a SmartThings TV csatornainformációt",
+ "data_show_channel_number": "Használja a SmartThings TV csatornaszám információt",
+ "data_app_load_method": "Alkalmazások lista betöltési módja induláskor",
+ "data_use_local_logo": "Engedélyezze a helyi logóképek használatát",
+ "data_power_on_method": "A TV bekapcsolásához használt módszer",
+ "show_options_menu": "Opciók menü mutatása",
+ "samsungtv_smart_options_menu": "SamsungTV Smart opciók menü",
+ "applications_list_configuration": "Alkalmazások listájának konfigurálása",
+ "channels_list_configuration": "Csatornák listájának konfigurálása",
+ "standard_options": "Alapbeállítások",
+ "save_options_and_exit": "Opciók mentése és kilépés",
+ "sources_list_configuration": "Források listájának konfigurálása",
+ "synched_entities_configuration": "Szinkronizált entitások konfigurálása",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart haladó opciók",
+ "applications_launch_method_used": "Az alkalmazások indítási módszerének használata",
+ "data_power_on_delay": "Másodpercek a bekapcsolási állapot késleltetéséhez",
+ "data_ext_power_entity": "Bemeneti érzékelő a bekapcsolási állapot felismeréséhez",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart szinkronizált entitások",
+ "app_list_title": "SamsungTV Smart alkalmazások listájának konfigurálása",
+ "applications_list": "Alkalmazások listája:",
+ "channel_list_title": "SamsungTV Smart csatornák listájának konfigurálása",
+ "channels_list": "Csatornák listája:",
+ "source_list_title": "SamsungTV Smart források listájának konfigurálása",
+ "sources_list": "Források listája:",
+ "error_invalid_tv_list": "Érvénytelen formátum. Kérjük, ellenőrizze a dokumentációt.",
+ "data_app_delete": "Jelölje be az alkalmazás törléséhez",
+ "application_icon": "Alkalmazás ikon",
+ "application_id": "Alkalmazás azonosítója",
+ "application_name": "Alkalmazás neve",
+ "configure_application_id_app_id": "Alkalmazásazonosító konfigurálása: {app_id}",
+ "configure_android_apps": "Android alkalmazások konfigurálása",
+ "configure_applications_list": "Alkalmazáslista konfigurálása",
"ignore_cec": "CEC mellőzése",
"allowed_uuids": "Engedélyezett UUID-k",
"advanced_google_cast_configuration": "Speciális Google Cast-konfiguráció",
+ "allow_deconz_clip_sensors": "DeCONZ CLIP érzékelők engedélyezése",
+ "allow_deconz_light_groups": "DeCONZ fénycsoportok engedélyezése",
+ "data_allow_new_devices": "Engedélyezze az új eszközök automatikus hozzáadását",
+ "deconz_devices_description": "A deCONZ eszköztípusok láthatóságának konfigurálása",
+ "deconz_options": "deCONZ opciók",
+ "select_test_server": "Válassza ki a teszt szervert",
+ "data_calendar_access": "Home Assistant hozzáférés a Google Naptárhoz",
+ "bluetooth_scanner_mode": "Bluetooth szkenner mód",
"device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
"not_supported": "Not Supported",
"localtuya_configuration": "LocalTuya Configuration",
@@ -2433,10 +2778,9 @@
"data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
"data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
"data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
"configure_tuya_device": "Configure Tuya device",
"configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Eszköz azonosító",
+ "device_id": "Device ID",
"local_key": "Local key",
"protocol_version": "Protocol Version",
"data_entities": "Entities (uncheck an entity to remove it)",
@@ -2505,93 +2849,13 @@
"enable_heuristic_action_optional": "Enable heuristic action (optional)",
"data_dps_default_value": "Default value when un-initialised (optional)",
"minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant hozzáférés a Google Naptárhoz",
- "data_process": "Érzékelőként hozzáadandó folyamatok",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passzív figyelés",
- "samsungtv_smart_options": "SamsungTV Smart beállítások",
- "data_use_st_status_info": "Használja a SmartThings TV állapotinformációt",
- "data_use_st_channel_info": "Használja a SmartThings TV csatornainformációt",
- "data_show_channel_number": "Használja a SmartThings TV csatornaszám információt",
- "data_app_load_method": "Alkalmazások lista betöltési módja induláskor",
- "data_use_local_logo": "Engedélyezze a helyi logóképek használatát",
- "data_power_on_method": "A TV bekapcsolásához használt módszer",
- "show_options_menu": "Opciók menü mutatása",
- "samsungtv_smart_options_menu": "SamsungTV Smart opciók menü",
- "applications_list_configuration": "Alkalmazások listájának konfigurálása",
- "channels_list_configuration": "Csatornák listájának konfigurálása",
- "standard_options": "Alapbeállítások",
- "save_options_and_exit": "Opciók mentése és kilépés",
- "sources_list_configuration": "Források listájának konfigurálása",
- "synched_entities_configuration": "Szinkronizált entitások konfigurálása",
- "samsungtv_smart_advanced_options": "SamsungTV Smart haladó opciók",
- "applications_launch_method_used": "Az alkalmazások indítási módszerének használata",
- "data_power_on_delay": "Másodpercek a bekapcsolási állapot késleltetéséhez",
- "data_ext_power_entity": "Bemeneti érzékelő a bekapcsolási állapot felismeréséhez",
- "samsungtv_smart_synched_entities": "SamsungTV Smart szinkronizált entitások",
- "app_list_title": "SamsungTV Smart alkalmazások listájának konfigurálása",
- "applications_list": "Alkalmazások listája:",
- "channel_list_title": "SamsungTV Smart csatornák listájának konfigurálása",
- "channels_list": "Csatornák listája:",
- "source_list_title": "SamsungTV Smart források listájának konfigurálása",
- "sources_list": "Források listája:",
- "error_invalid_tv_list": "Érvénytelen formátum. Kérjük, ellenőrizze a dokumentációt.",
- "broker_options": "Bróker opciók",
- "enable_birth_message": "Születési \"Birth\" üzenet engedélyezése",
- "birth_message_payload": "Születési \"Birth\" üzenet tartalma",
- "birth_message_qos": "Születési \"Birth\" üzenet QoS",
- "birth_message_retain": "Születési \"Birth\" üzenet tartása",
- "birth_message_topic": "Születési \"Birth\" üzenet témája",
- "enable_discovery": "Felfedezés engedélyezése",
- "discovery_prefix": "Felfedezés előtag",
- "enable_will_message": "Búcsú \"Will\" üzenet engedélyezése",
- "will_message_payload": "Búcsú \"Will\" üzenet tartalma",
- "will_message_qos": "Búcsú \"Will\" üzenet QoS",
- "will_message_retain": "Búcsú \"Will\" üzenet tartása",
- "will_message_topic": "Búcsú \"Will\" üzenet témája",
- "data_description_discovery": "Az MQTT automatikus felfedezésének bekapcsolási lehetősége.",
- "mqtt_options": "MQTT opciók",
"data_allow_nameless_uuids": "Jelenleg engedélyezett UUID-k. Törölje a jelölést az eltávolításhoz",
"data_new_uuid": "Adjon meg egy új engedélyezett UUID-t",
- "allow_deconz_clip_sensors": "DeCONZ CLIP érzékelők engedélyezése",
- "allow_deconz_light_groups": "DeCONZ fénycsoportok engedélyezése",
- "data_allow_new_devices": "Engedélyezze az új eszközök automatikus hozzáadását",
- "deconz_devices_description": "A deCONZ eszköztípusok láthatóságának konfigurálása",
- "deconz_options": "deCONZ opciók",
- "data_app_delete": "Jelölje be az alkalmazás törléséhez",
- "application_icon": "Alkalmazás ikon",
- "application_id": "Alkalmazás azonosítója",
- "application_name": "Alkalmazás neve",
- "configure_application_id_app_id": "Alkalmazásazonosító konfigurálása: {app_id}",
- "configure_android_apps": "Android alkalmazások konfigurálása",
- "configure_applications_list": "Alkalmazáslista konfigurálása",
- "invalid_url": "Érvénytelen URL",
- "data_browse_unfiltered": "Inkompatibilis média megjelenítése böngészés közben",
- "event_listener_callback_url": "Eseményfigyelő visszahívási URL (callback)",
- "data_listen_port": "Eseményfigyelő port (véletlenszerű, ha nincs megadva)",
- "poll_for_device_availability": "Lekérdezés az eszközök elérhetőségéről",
- "init_title": "DLNA konfiguráció",
- "protocol": "Protokoll",
- "language_code": "Nyelvi kód",
- "bluetooth_scanner_mode": "Bluetooth szkenner mód",
- "force_nightlatch_operation_mode": "Éjszakai zár működésének kényszerítése",
- "retry_count": "Újrapróbálkozások száma",
- "select_test_server": "Válassza ki a teszt szervert",
- "toggle_entity_name": "{entity_name} kapcsolása",
- "turn_off_entity_name": "{entity_name} kikapcsolása",
- "turn_on_entity_name": "{entity_name} bekapcsolása",
- "entity_name_is_off": "{entity_name} ki van kapcsolva",
- "entity_name_is_on": "{entity_name} be van kapcsolva",
- "trigger_type_changed_states": "{entity_name} be- vagy kikapcsolt",
- "entity_name_turned_off": "{entity_name} ki lett kapcsolva",
- "entity_name_turned_on": "{entity_name} be lett kapcsolva",
+ "reconfigure_zha": "A ZHA újrakonfigurálása",
+ "unplug_your_old_radio": "Húzza ki a régi rádiót",
+ "intent_migrate_title": "Új rádióra való áttérés",
+ "re_configure_the_current_radio": "Az aktuális rádió újrakonfigurálása",
+ "migrate_or_re_configure": "Migrálás vagy újrakonfigurálás",
"current_entity_name_apparent_power": "Aktuális {entity_name} látszólagos teljesítmény",
"condition_type_is_aqi": "Aktuális {entity_name} levegőminőségi index",
"current_entity_name_area": "A(z) {entity_name} jelenlegi területe",
@@ -2686,6 +2950,59 @@
"entity_name_water_changes": "{entity_name} víz változások",
"entity_name_weight_changes": "{entity_name} súlyváltozás",
"entity_name_wind_speed_changes": "{entity_name} szélsebesség változás",
+ "decrease_entity_name_brightness": "{entity_name} fényerejének csökkentése",
+ "increase_entity_name_brightness": "{entity_name} fényerejének növelése",
+ "flash_entity_name": "Vaku {entity_name}",
+ "toggle_entity_name": "{entity_name} kapcsolása",
+ "turn_off_entity_name": "{entity_name} kikapcsolása",
+ "turn_on_entity_name": "{entity_name} bekapcsolása",
+ "entity_name_is_off": "{entity_name} ki van kapcsolva",
+ "entity_name_is_on": "{entity_name} be van kapcsolva",
+ "flash": "Villogás",
+ "trigger_type_changed_states": "{entity_name} be- vagy kikapcsolt",
+ "entity_name_turned_off": "{entity_name} ki lett kapcsolva",
+ "entity_name_turned_on": "{entity_name} be lett kapcsolva",
+ "set_value_for_entity_name": "{entity_name} értékének beállítása",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} frissítés elérhetősége megváltozott",
+ "entity_name_became_up_to_date": "{entity_name} naprakész lett",
+ "trigger_type_turned_on": "{entity_name} kapott egy elérhető frissítést",
+ "first_button": "Első gomb",
+ "second_button": "Második gomb",
+ "third_button": "Harmadik gomb",
+ "fourth_button": "Negyedik gomb",
+ "fifth_button": "Ötödik gomb",
+ "sixth_button": "Hatodik gomb",
+ "subtype_double_clicked": "\"{subtype}\" gombra kétszer kattintottak",
+ "subtype_continuously_pressed": "\"{subtype}\" gomb folyamatosan lenyomva",
+ "trigger_type_button_long_release": "\"{subtype}\" nyomva tartás után felengedve",
+ "subtype_quadruple_clicked": "\"{subtype}\" gombra négyszer kattintottak",
+ "subtype_quintuple_clicked": "\"{subtype}\" gombra ötször kattintottak",
+ "subtype_pressed": "\"{subtype}\" gomb lenyomva",
+ "subtype_released": "\"{subtype}\" gomb elengedve",
+ "subtype_triple_clicked": "\"{subtype}\" gombra háromszor kattintottak",
+ "entity_name_is_home": "{entity_name} otthon van",
+ "entity_name_is_not_home": "{entity_name} nincs otthon",
+ "entity_name_enters_a_zone": "{entity_name} belépett a zónába",
+ "entity_name_leaves_a_zone": "{entity_name} elhagyta a zónát",
+ "press_entity_name_button": "{entity_name} megnyomása",
+ "entity_name_has_been_pressed": "{entity_name} megnyomva",
+ "let_entity_name_clean": "{entity_name} takarítás indítása",
+ "action_type_dock": "{entity_name} visszaküldése a dokkolóra",
+ "entity_name_is_cleaning": "{entity_name} takarít",
+ "entity_name_is_docked": "{entity_name} dokkolva van",
+ "entity_name_started_cleaning": "{entity_name} elkezdett takarítani",
+ "entity_name_docked": "{entity_name} dokkolt",
+ "send_a_notification": "Értesítés küldése",
+ "lock_entity_name": "{entity_name} zárása",
+ "open_entity_name": "{entity_name} nyitása",
+ "unlock_entity_name": "{entity_name} feloldása",
+ "entity_name_is_locked": "{entity_name} zárolva",
+ "entity_name_is_open": "{entity_name} nyitva van",
+ "entity_name_is_unlocked": "{entity_name} feloldva",
+ "entity_name_locked": "{entity_name} zárolt",
+ "entity_name_opened": "{entity_name} ki lett nyitva",
+ "entity_name_unlocked": "{entity_name} fel lett oldva",
"action_type_set_hvac_mode": "HVAC üzemmód módosítása a következőn: {entity_name}",
"change_preset_on_entity_name": "{entity_name} üzemmódjának váltása",
"hvac_mode": "HVAC mód",
@@ -2693,8 +3010,19 @@
"entity_name_measured_humidity_changed": "{entity_name} mért páratartalma megváltozott",
"entity_name_measured_temperature_changed": "{entity_name} mért hőmérséklete megváltozott",
"entity_name_hvac_mode_changed": "{entity_name} HVAC üzemmódja megváltozott",
- "set_value_for_entity_name": "{entity_name} értékének beállítása",
- "value": "Érték",
+ "close_entity_name_tilt": "{entity_name} zárása billentéssel",
+ "open_entity_name_tilt": "{entity_name} nyitása billentéssel",
+ "set_entity_name_position": "{entity_name} pozíciójának beállítása",
+ "set_entity_name_tilt_position": "{entity_name} billentett pozíciójának beállítása",
+ "stop_entity_name": "{entity_name} megállítása",
+ "entity_name_is_closed": "{entity_name} be van zárva",
+ "entity_name_closing": "{entity_name} záródik",
+ "entity_name_opening": "{entity_name} nyílik",
+ "current_entity_name_position_is": "{entity_name} jelenlegi pozíciója",
+ "condition_type_is_tilt_position": "{entity_name} aktuális billentése",
+ "entity_name_closed": "{entity_name} zárva",
+ "entity_name_position_changes": "{entity_name} pozíciója változik",
+ "entity_name_tilt_position_changes": "{entity_name} billen",
"entity_name_battery_low": "{entity_name} akkufeszültsége alacsony",
"entity_name_charging": "{entity_name} töltődik",
"condition_type_is_co": "{entity_name} szén-monoxidot érzékel",
@@ -2703,7 +3031,6 @@
"entity_name_is_detecting_gas": "{entity_name} gázt érzékel",
"entity_name_is_hot": "{entity_name} forró",
"entity_name_is_detecting_light": "{entity_name} fényt érzékel",
- "entity_name_is_locked": "{entity_name} zárolva",
"entity_name_is_moist": "{entity_name} nedves",
"entity_name_is_detecting_motion": "{entity_name} mozgást érzékel",
"entity_name_is_moving": "{entity_name} mozog",
@@ -2721,11 +3048,9 @@
"entity_name_is_not_cold": "{entity_name} nem hideg",
"entity_name_is_disconnected": "{entity_name} le van csatlakoztatva",
"entity_name_is_not_hot": "{entity_name} nem forró",
- "entity_name_is_unlocked": "{entity_name} feloldva",
"entity_name_is_dry": "{entity_name} száraz",
"entity_name_is_not_moving": "{entity_name} nem mozog",
"entity_name_is_not_occupied": "{entity_name} nem foglalt",
- "entity_name_is_closed": "{entity_name} be van zárva",
"entity_name_is_unplugged": "{entity_name} nincs csatlakoztatva",
"entity_name_is_not_powered": "{entity_name} nincs feszütség alatt",
"entity_name_is_not_present": "{entity_name} nincs jelen",
@@ -2733,7 +3058,6 @@
"condition_type_is_not_tampered": "{entity_name} nem észlel szabotázst",
"entity_name_is_safe": "{entity_name} biztonságos",
"entity_name_is_occupied": "{entity_name} foglalt",
- "entity_name_is_open": "{entity_name} nyitva van",
"entity_name_is_powered": "{entity_name} feszültség alatt van",
"entity_name_is_present": "{entity_name} jelen van",
"entity_name_is_detecting_problem": "{entity_name} problémát észlel",
@@ -2748,7 +3072,6 @@
"entity_name_became_cold": "{entity_name} hideg lett",
"entity_name_connected": "{entity_name} csatlakozik",
"entity_name_became_hot": "{entity_name} felforrósodik",
- "entity_name_locked": "{entity_name} zárolt",
"entity_name_became_moist": "{entity_name} nedves lett",
"trigger_type_no_co": "{entity_name} már nem érzékel szén-monoxidot",
"entity_name_stopped_detecting_gas": "{entity_name} már nem érzékel gázt",
@@ -2757,16 +3080,13 @@
"entity_name_stopped_detecting_problem": "{entity_name} már nem észlel problémát",
"entity_name_stopped_detecting_smoke": "{entity_name} már nem érzékel füstöt",
"entity_name_stopped_detecting_sound": "{entity_name} már nem érzékel hangot",
- "entity_name_became_up_to_date": "{entity_name} naprakész lett",
"entity_name_stopped_detecting_vibration": "{entity_name} már nem érzékel rezgést",
"entity_name_became_not_cold": "{entity_name} már nem hideg",
"entity_name_disconnected": "{entity_name} lecsatlakozik",
"entity_name_became_not_hot": "{entity_name} már nem forró",
- "entity_name_unlocked": "{entity_name} fel lett oldva",
"entity_name_became_dry": "{entity_name} száraz lett",
"entity_name_stopped_moving": "{entity_name} már nem mozog",
"entity_name_became_not_occupied": "{entity_name} már nem foglalt",
- "entity_name_closed": "{entity_name} zárva",
"entity_name_unplugged": "{entity_name} már nincs csatlakoztatva",
"entity_name_not_powered": "{entity_name} már nincs feszütség alatt",
"entity_name_not_present": "{entity_name} már nincs jelen",
@@ -2774,7 +3094,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} nem észlel többé szabotázst",
"entity_name_became_safe": "{entity_name} biztonságos lett",
"entity_name_became_occupied": "{entity_name} foglalt lett",
- "entity_name_opened": "{entity_name} kinyitva",
"entity_name_plugged_in": "{entity_name} csatlakoztatva lett",
"entity_name_powered": "{entity_name} már feszültség alatt van",
"entity_name_present": "{entity_name} már jelen van",
@@ -2789,36 +3108,6 @@
"entity_name_starts_buffering": "{entity_name} pufferelni kezd",
"entity_name_becomes_idle": "{entity_name} tétlenné válik",
"entity_name_starts_playing": "{entity_name} megkezdi a lejátszást",
- "entity_name_is_home": "{entity_name} otthon van",
- "entity_name_is_not_home": "{entity_name} nincs otthon",
- "entity_name_enters_a_zone": "{entity_name} belépett a zónába",
- "entity_name_leaves_a_zone": "{entity_name} elhagyta a zónát",
- "decrease_entity_name_brightness": "{entity_name} fényerejének csökkentése",
- "increase_entity_name_brightness": "{entity_name} fényerejének növelése",
- "flash_entity_name": "Vaku {entity_name}",
- "flash": "Villogás",
- "entity_name_update_availability_changed": "{entity_name} frissítés elérhetősége megváltozott",
- "trigger_type_turned_on": "{entity_name} kapott egy elérhető frissítést",
- "arm_entity_name_away": "{entity_name} élesítése távoli módban",
- "arm_entity_name_home": "{entity_name} élesítése otthoni módban",
- "arm_entity_name_night": "{entity_name} élesítése éjszakai módban",
- "arm_entity_name_vacation": "{entity_name} élesítése vakáció módban",
- "disarm_entity_name": "{entity_name} hatástalanítása",
- "trigger_entity_name": "{entity_name} élesítése",
- "entity_name_is_armed_away": "{entity_name} állapota élesítve távoli módban",
- "entity_name_is_armed_home": "{entity_name} állapota élesítve othoni módban",
- "entity_name_is_armed_night": "{entity_name} állapota élesítve éjszakai módban",
- "entity_name_is_armed_vacation": "{entity_name} állapota élesítve vakáció módban",
- "entity_name_is_disarmed": "{entity_name} állapota hatástalanítva",
- "entity_name_is_triggered": "{entity_name} aktiválva van",
- "entity_name_armed_away": "{entity_name} élesítve távoli módban",
- "entity_name_armed_home": "{entity_name} élesítve otthoni módban",
- "entity_name_armed_night": "{entity_name} élesítve éjszakai módban",
- "entity_name_armed_vacation": "{entity_name} élesítve vakáció módban",
- "entity_name_disarmed": "{entity_name} hatástalanítva",
- "entity_name_triggered": "{entity_name} riasztásba került",
- "press_entity_name_button": "{entity_name} megnyomása",
- "entity_name_has_been_pressed": "{entity_name} megnyomva",
"action_type_select_first": "{entity_name} módosítása az első lehetőségre",
"action_type_select_last": "{entity_name} módosítása az utolsó lehetőségre",
"action_type_select_next": "{entity_name} módosítása a következő lehetőségre",
@@ -2828,45 +3117,18 @@
"cycle": "Ciklus",
"from": "Ettől",
"entity_name_option_changed": "{entity_name} opciói megváltoztak",
- "lock_entity_name": "{entity_name} zárása",
- "close_entity_name_tilt": "{entity_name} zárása billentéssel",
- "open_entity_name": "{entity_name} nyitása",
- "open_entity_name_tilt": "{entity_name} nyitása billentéssel",
- "set_entity_name_position": "{entity_name} pozíciójának beállítása",
- "set_entity_name_tilt_position": "{entity_name} billentett pozíciójának beállítása",
- "stop_entity_name": "{entity_name} megállítása",
- "entity_name_closing": "{entity_name} záródik",
- "entity_name_opening": "{entity_name} nyílik",
- "current_entity_name_position_is": "{entity_name} jelenlegi pozíciója",
- "condition_type_is_tilt_position": "{entity_name} aktuális billentése",
- "entity_name_position_changes": "{entity_name} pozíciója változik",
- "entity_name_tilt_position_changes": "{entity_name} billen",
- "first_button": "Első gomb",
- "second_button": "Második gomb",
- "third_button": "Harmadik gomb",
- "fourth_button": "Negyedik gomb",
- "fifth_button": "Ötödik gomb",
- "sixth_button": "Hatodik gomb",
- "subtype_double_clicked": "{subtype} dupla kattintás",
- "subtype_continuously_pressed": "\"{subtype}\" gomb folyamatosan lenyomva",
- "trigger_type_button_long_release": "\"{subtype}\" nyomva tartás után felengedve",
- "subtype_quadruple_clicked": "\"{subtype}\" gombra négyszer kattintottak",
- "subtype_quintuple_clicked": "\"{subtype}\" gombra ötször kattintottak",
- "subtype_pressed": "\"{subtype}\" gomb lenyomva",
- "subtype_released": "\"{subtype}\" gomb elengedve",
- "subtype_triple_clicked": "{subtype} tripla kattintás",
"both_buttons": "Mindkét gomb",
"bottom_buttons": "Alsó gombok",
"seventh_button": "Hetedik gomb",
"eighth_button": "Nyolcadik gomb",
"dim_down": "Sötétít",
"dim_up": "Világosít",
- "left": "Balra",
- "right": "Jobbra",
+ "left": "Bal",
+ "right": "Jobb",
"side": "6. oldal",
"top_buttons": "Felső gombok",
"device_awakened": "A készülék felébredt",
- "trigger_type_remote_button_long_release": "\"{subtype}\" gomb hosszú megnyomás után elengedve",
+ "trigger_type_remote_button_long_release": "\"{subtype}\" gomb nyomvatartás után elengedve",
"button_rotated_subtype": "A gomb elforgatva: \"{subtype}\"",
"button_rotated_fast_subtype": "A gomb gyorsan elfordult: \"{subtype}\"",
"button_rotation_subtype_stopped": "\"{subtype}\" gomb forgása leállt",
@@ -2874,19 +3136,12 @@
"trigger_type_remote_double_tap_any_side": "A készülék bármelyik oldalán duplán koppint.",
"device_in_free_fall": "Készülék szabadesésben",
"device_flipped_degrees": "A készülék 90 fokkal elfordult",
- "device_shaken": "A készülék meg lett rázva",
+ "device_shaken": "A készülék megrázkódott",
"trigger_type_remote_moved": "Az eszköz a \"{subtype}\"-al felfelé mozgatva",
"trigger_type_remote_moved_any_side": "A készülék valamelyik oldalával felfelé mozogott",
"trigger_type_remote_rotate_from_side": "Az eszköz a \"6. oldalról\" a \"{subtype}\"-ra fordult",
"device_turned_clockwise": "A készülék az óramutató járásával megegyezően fordult",
"device_turned_counter_clockwise": "A készülék az óramutató járásával ellentétes irányban fordult",
- "send_a_notification": "Értesítés küldése",
- "let_entity_name_clean": "{entity_name} takarítás indítása",
- "action_type_dock": "{entity_name} visszaküldése a dokkolóra",
- "entity_name_is_cleaning": "{entity_name} takarít",
- "entity_name_is_docked": "{entity_name} dokkolva van",
- "entity_name_started_cleaning": "{entity_name} elkezdett takarítani",
- "entity_name_docked": "{entity_name} dokkolt",
"subtype_button_down": "{subtype} gomb lenyomva",
"subtype_button_up": "{subtype} gomb elengedve",
"subtype_double_push": "{subtype} dupla lenyomás",
@@ -2897,28 +3152,54 @@
"trigger_type_single_long": "{subtype} egy kattintás, majd hosszan nyomva",
"subtype_single_push": "{subtype} egy lenyomás",
"subtype_triple_push": "{subtype} tripla küldés",
- "unlock_entity_name": "{entity_name} feloldása",
+ "arm_entity_name_away": "{entity_name} élesítése távoli módban",
+ "arm_entity_name_home": "{entity_name} élesítése otthoni módban",
+ "arm_entity_name_night": "{entity_name} élesítése éjszakai módban",
+ "arm_entity_name_vacation": "{entity_name} élesítése vakáció módban",
+ "disarm_entity_name": "{entity_name} hatástalanítása",
+ "trigger_entity_name": "{entity_name} élesítése",
+ "entity_name_is_armed_away": "{entity_name} állapota élesítve távoli módban",
+ "entity_name_is_armed_home": "{entity_name} állapota élesítve othoni módban",
+ "entity_name_is_armed_night": "{entity_name} állapota élesítve éjszakai módban",
+ "entity_name_is_armed_vacation": "{entity_name} állapota élesítve vakáció módban",
+ "entity_name_is_disarmed": "{entity_name} állapota hatástalanítva",
+ "entity_name_is_triggered": "{entity_name} aktiválva van",
+ "entity_name_armed_away": "{entity_name} élesítve távoli módban",
+ "entity_name_armed_home": "{entity_name} élesítve otthoni módban",
+ "entity_name_armed_night": "{entity_name} élesítve éjszakai módban",
+ "entity_name_armed_vacation": "{entity_name} élesítve vakáció módban",
+ "entity_name_disarmed": "{entity_name} hatástalanítva",
+ "entity_name_triggered": "{entity_name} riasztásba került",
+ "action_type_issue_all_led_effect": "Effekt minden LED-re",
+ "action_type_issue_individual_led_effect": "Effekt egyes LED-ekre",
+ "squawk": "Csipogás",
+ "warn": "Figyelmeztetés",
+ "color_hue": "Színárnyalat",
+ "duration_in_seconds": "Időtartam másodpercben",
+ "effect_type": "Hatás típusa",
+ "led_number": "LED szám",
+ "with_face_activated": "aktivált 6 arccal",
+ "with_any_specified_face_s_activated": "Bármely/meghatározott arc(ok) aktiválásával",
+ "device_dropped": "A készülék eldobva",
+ "device_flipped_subtype": "Eszköz átfordítva \"{subtype}\"",
+ "device_knocked_subtype": "Az eszközt leütötték \"{subtype}\"",
+ "device_offline": "Eszköz offline",
+ "device_rotated_subtype": "Eszköz elforgatva \"{subtype}\"",
+ "device_slid_subtype": "Eszköz csúsztatott \"{subtype}\"",
+ "device_tilted": "Eszköz billentett állapotban",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" gombra duplán kattintva (Alternatív mód)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" gomb folyamatosan nyomva (alternatív mód)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" gomb elengedése nyomvatartást követően (alternatív mód)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" gombra négyszer kattintottak (alternatív mód)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" gombra ötször kattintottak (alternatív mód)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" gomb lenyomva (alternatív mód)",
+ "subtype_released_alternate_mode": "\"{subtype}\" gomb elengedett (alternatív mód)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" gombra háromszor kattintottak (alternatív mód)",
"add_to_queue": "Hozzáadás a sorhoz",
"play_next": "Következő lejátszása",
"options_replace": "Lejátszás most és a sor törlése",
"repeat_all": "Összes ismétlése",
"repeat_one": "Egy ismétlése",
- "no_code_format": "Nincs kódformátum",
- "no_unit_of_measurement": "Nincs mértékegység",
- "critical": "Kritikus",
- "debug": "Hibakeresés",
- "info": "Infó",
- "warning": "Figyelmeztetés",
- "create_an_empty_calendar": "Üres naptár létrehozása",
- "options_import_ics_file": "ICalendar fájl feltöltése (.ics)",
- "passive": "Passzív",
- "most_recently_updated": "Legutóbb frissítve",
- "arithmetic_mean": "Számtani középérték",
- "median": "Medián",
- "product": "Termék",
- "statistical_range": "Statisztikai tartomány",
- "standard_deviation": "Standard eltérés",
- "fatal": "Végzetes hiba",
"alice_blue": "Alice kék",
"antique_white": "Antikfehér",
"aqua": "Vízkék",
@@ -3040,52 +3321,21 @@
"turquoise": "Türkizkék",
"wheat": "Búza",
"white_smoke": "Fehér füst",
- "sets_the_value": "Beállítja az értéket.",
- "the_target_value": "A célérték.",
- "command": "Parancs",
- "device_description": "Az eszköz azonosítója, amelynek parancsot küld.",
- "delete_command": "Parancs törlése",
- "alternative": "Alternatíva",
- "command_type_description": "A megtanulandó parancs típusa.",
- "command_type": "Parancs típusa",
- "timeout_description": "A parancs megtanulására rendelkezésre álló idő.",
- "learn_command": "Parancs megtanulása",
- "delay_seconds": "Késleltetési másodpercek",
- "hold_seconds": "Tartási másodpercek",
- "repeats": "Ismétlések",
- "send_command": "Parancs küldése",
- "sends_the_toggle_command": "Elküldi az be/ki-kapcsolási parancsot.",
- "turn_off_description": "Kapcsoljon ki egy vagy több lámpát.",
- "turn_on_description": "Új takarítási feladatot indít.",
- "set_datetime_description": "Beállítja a dátumot és/vagy az időt.",
- "the_target_date": "A céldátum.",
- "datetime_description": "A céldátum és idő.",
- "date_time": "Dátum és idő",
- "the_target_time": "A célidő.",
- "creates_a_new_backup": "Új biztonsági mentést hoz létre.",
- "apply_description": "Konfigurációval aktivál egy jelenetet.",
- "entities_description": "Entitások listája és a célállapotuk.",
- "entities_state": "Entitások állapota",
- "transition": "Átmenet",
- "apply": "Alkalmaz",
- "creates_a_new_scene": "Új jelenetet hoz létre.",
- "scene_id_description": "Az új jelenet entitás azonosítója.",
- "scene_entity_id": "Jelenet entitás azonosítója",
- "snapshot_entities": "Pillanatkép entitások",
- "delete_description": "Dinamikusan létrehozott jelenet törlése.",
- "activates_a_scene": "Aktivál egy jelenetet.",
- "closes_a_valve": "Bezárja a szelepet.",
- "opens_a_valve": "Kinyit egy szelepet.",
- "set_valve_position_description": "A szelepet egy adott helyzetbe mozgatja.",
- "target_position": "Célpozíció.",
- "set_position": "Pozíció beállítása",
- "stops_the_valve_movement": "Megállítja a szelep mozgását.",
- "toggles_a_valve_open_closed": "Szelepet nyit vagy zár.",
- "dashboard_path": "Irányítópult útvonal",
- "view_path": "Útvonal megtekintése",
- "show_dashboard_view": "Irányítópult nézet megjelenítése",
- "finish_description": "Egy futó időzítő idő előtti befejezése.",
- "duration_description": "Egyedi időtartam, amellyel újraindíthatja az időzítőt.",
+ "critical": "Kritikus",
+ "debug": "Hibakeresés",
+ "info": "Infó",
+ "passive": "Passzív",
+ "no_code_format": "Nincs kódformátum",
+ "no_unit_of_measurement": "Nincs mértékegység",
+ "fatal": "Végzetes hiba",
+ "most_recently_updated": "Legutóbb frissítve",
+ "arithmetic_mean": "Számtani középérték",
+ "median": "Medián",
+ "product": "Termék",
+ "statistical_range": "Statisztikai tartomány",
+ "standard_deviation": "Standard eltérés",
+ "create_an_empty_calendar": "Üres naptár létrehozása",
+ "options_import_ics_file": "ICalendar fájl feltöltése (.ics)",
"sets_a_random_effect": "Beállít egy véletlenszerű hatást.",
"sequence_description": "HSV szekvenciák listája (max. 16).",
"backgrounds": "Hátterek",
@@ -3102,108 +3352,22 @@
"saturation_range": "Telítettségi tartomány",
"segments_description": "Szegmensek listája (0 az összeshez).",
"segments": "Szegmensek",
+ "transition": "Átmenet",
"range_of_transition": "Átmenet tartománya.",
"transition_range": "Átmenet tartománya",
"random_effect": "Véletlen hatás",
"sets_a_sequence_effect": "Beállít egy sorozateffektust.",
"repetitions_for_continuous": "Ismétlések (0 a folyamatoshoz).",
- "sequence": "Sorrend",
- "speed_of_spread": "A terjedés sebessége.",
- "spread": "Terjedés",
- "sequence_effect": "Sorozateffektus",
- "check_configuration": "Konfiguráció ellnőrzése",
- "reload_all": "Az összes újratöltése",
- "reload_config_entry_description": "Újratölti a megadott konfigurációs bejegyzést.",
- "config_entry_id": "Konfigurációs bejegyzés azonosító",
- "reload_config_entry": "Konfigurációs bejegyzések újratöltése",
- "reload_core_config_description": "Újratölti az alapkonfigurációt a YAML-konfigurációból.",
- "reload_core_configuration": "Mag konfiguráció újratöltése",
- "reload_custom_jinja_templates": "Egyéni Jinja2 sablonok újratöltése",
- "restarts_home_assistant": "Újraindítja a Home Assistantot.",
- "safe_mode_description": "Egyéni integrációk és egyéni kártyák letiltása.",
- "save_persistent_states": "Állandó állapotok mentése",
- "set_location_description": "Frissíti a Home Assistant helyét.",
- "elevation_description": "Az Ön helyének tengerszint feletti magassága.",
- "latitude_of_your_location": "A hely szélességi foka.",
- "longitude_of_your_location": "A hely hosszúsági foka.",
- "set_location": "Helyszín beállítása",
- "stops_home_assistant": "Leállítja a Home Assistantot.",
- "generic_toggle": "Be/ki kapcsolás - általános",
- "generic_turn_off": "Kikapcsolás - általános",
- "generic_turn_on": "Bekapcsolás - általános",
- "entity_id_description": "A naplóbejegyzésben hivatkozandó entitás.",
- "entities_to_update": "Frissítendő entitások",
- "update_entity": "Entitás frissítése",
- "turns_auxiliary_heater_on_off": "Be-/kikapcsolja a külső segédfűtést.",
- "aux_heat_description": "A kiegészítő fűtés új értéke.",
- "auxiliary_heating": "Segédfűtés",
- "turn_on_off_auxiliary_heater": "Kapcsolja be/ki a segédfűtést",
- "sets_fan_operation_mode": "Beállítja a ventilátor működési módját.",
- "fan_operation_mode": "Ventilátor üzemmód.",
- "set_fan_mode": "Ventilátor mód beállítása",
- "sets_target_humidity": "Beállítja a cél páratartalmat.",
- "set_target_humidity": "Cél páratartalom beállítása",
- "sets_hvac_operation_mode": "Beállítja a HVAC (fűtés, szellőzés és légkondicionálás) működési módot.",
- "hvac_operation_mode": "HVAC (fűtés, szellőzés és légkondicionálás) üzemmód.",
- "set_hvac_mode": "HVAC üzemmód beállítása",
- "sets_preset_mode": "Gyári profil beállítása.",
- "set_preset_mode": "Gyári profil beállítása",
- "set_swing_horizontal_mode_description": "Beállítja a vízszintes lengési üzemmódot.",
- "horizontal_swing_operation_mode": "Vízszintes lengési üzemmód.",
- "set_horizontal_swing_mode": "Vízszintes legyezési mód beállítása",
- "sets_swing_operation_mode": "Beállítja a legyezés üzemmódot.",
- "swing_operation_mode": "Legyezés üzemmód.",
- "set_swing_mode": "Legyezés mód beállítása",
- "sets_the_temperature_setpoint": "Beállítja a célhőmérsékletet.",
- "the_max_temperature_setpoint": "A maximális hőmérséklet beállítás.",
- "the_min_temperature_setpoint": "A minimális hőmérséklet beállítás.",
- "the_temperature_setpoint": "A beállított hőmérséklet.",
- "set_target_temperature": "Célhőmérséklet beállítása",
- "turns_climate_device_off": "Kikapcsolja a klímaberendezést.",
- "turns_climate_device_on": "Bekapcsolja a klímaberendezést.",
- "decrement_description": "Csökkenti az értéket 1 lépéssel.",
- "increment_description": "Növeli az aktuális értéket 1 lépéssel.",
- "reset_description": "Egy számláló visszaállítása a kezdeti értékére.",
- "set_value_description": "Beállítja egy szám értékét.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "A konfigurációs paraméter értéke.",
- "clear_playlist_description": "Az összes elem eltávolítása a lejátszási listáról.",
- "clear_playlist": "Lejátszási lista törlése",
- "selects_the_next_track": "Kiválasztja a következő számot.",
- "pauses": "Szünetel.",
- "starts_playing": "Elindul a lejátszás.",
- "toggles_play_pause": "Lejátszás/szünet váltása.",
- "selects_the_previous_track": "Kiválasztja az előző számot.",
- "seek": "Ugrás",
- "stops_playing": "Leállítja a lejátszást.",
- "starts_playing_specified_media": "Elkezdi lejátszani a megadott médiát.",
- "announce": "Bejelentés",
- "enqueue": "Lejátszási listához ad",
- "repeat_mode_to_set": "Ismétlési mód beállítása.",
- "select_sound_mode_description": "Egy adott hangzás kiválasztása.",
- "select_sound_mode": "Hangzás kiválasztása",
- "select_source": "Bemeneti jelforrás kiválasztása",
- "shuffle_description": "Azt határozza meg, hogy engedélyezve van-e a véletlen sorrendű lejátszás.",
- "toggle_description": "Be- és kikapcsolja a porszívót.",
- "unjoin": "Szétválasztás",
- "turns_down_the_volume": "Csökkenti a hangerőt.",
- "volume_mute_description": "Elnémítja vagy visszahangosítja a médialejátszót.",
- "is_volume_muted_description": "Meghatározza, hogy némítva van-e vagy sem.",
- "mute_unmute_volume": "Hangerő elnémítása/feloldása",
- "sets_the_volume_level": "Beállítja a hangerőt.",
- "set_volume": "Hangerő megadása",
- "turns_up_the_volume": "Növeli a hangerőt.",
- "battery_description": "Az eszköz akkumulátor töltöttségi szintje.",
- "gps_coordinates": "GPS koordináták",
- "gps_accuracy_description": "A GPS koordináták pontossága.",
- "hostname_of_the_device": "Az eszköz gépneve.",
- "hostname": "Gépnév",
- "mac_description": "Az eszköz MAC-címe.",
- "see": "Lásd",
+ "repeats": "Ismétlések",
+ "sequence": "Sorrend",
+ "speed_of_spread": "A terjedés sebessége.",
+ "spread": "Terjedés",
+ "sequence_effect": "Sorozateffektus",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Ki/be kapcsolja a szirénát.",
+ "turns_the_siren_off": "Kikapcsolja a szirénát.",
+ "turns_the_siren_on": "Bekapcsolja a szirénát.",
"brightness_value": "Fényerő érték",
"a_human_readable_color_name": "Ember által olvasható színnév.",
"color_name": "Szín neve",
@@ -3216,24 +3380,66 @@
"rgbww_color": "RGBWW-szín",
"white_description": "Állítsa a fényt fehér módba.",
"xy_color": "XY-szín",
+ "turn_off_description": "Elküldi a kikapcsolási parancsot.",
"brightness_step_description": "Változtassa meg a fényerőt egy adott mennyiséggel.",
"brightness_step_value": "Fényerő lépésérték",
"brightness_step_pct_description": "Változtassa meg a fényerőt százalékosan.",
"brightness_step": "Fényerő lépés",
- "add_event_description": "Új naptári esemény hozzáadása.",
- "calendar_id_description": "A kívánt naptár azonosítója.",
- "calendar_id": "Naptárazonosító",
- "description_description": "Az esemény leírása. Opcionális.",
- "summary_description": "Az esemény címeként működik.",
- "location_description": "Az esemény helyszíne.",
- "create_event": "Esemény létrehozása",
- "apply_filter": "Szűrő alkalmazása",
- "days_to_keep": "Megtartandó napok",
- "repack": "Újracsomagolás",
- "domains_to_remove": "Eltávolítandó domainek",
- "entity_globs_to_remove": "Eltávolítandó entitás globok",
- "entities_to_remove": "Eltávolítandó entitások",
- "purge_entities": "Entitások törlése",
+ "toggles_the_helper_on_off": "Be-/kikapcsolja a segítőt.",
+ "turns_off_the_helper": "Kikapcsolja a segítőt.",
+ "turns_on_the_helper": "Bekapcsolja a segítőt.",
+ "pauses_the_mowing_task": "Szünetelteti a fűnyírási feladatot.",
+ "starts_the_mowing_task": "Elindítja a fűnyírási feladatot.",
+ "creates_a_new_backup": "Új biztonsági mentést hoz létre.",
+ "sets_the_value": "Beállítja az értéket.",
+ "enter_your_text": "Írja be a szöveget.",
+ "set_value": "Érték beállítása",
+ "clear_lock_user_code_description": "Törli a felhasználói kódot egy zárból.",
+ "code_slot_description": "Kódhely a kód beállításához.",
+ "code_slot": "Kódhely",
+ "clear_lock_user": "Zár felhasználó törlése",
+ "disable_lock_user_code_description": "Letilt egy felhasználói kódot egy záron.",
+ "code_slot_to_disable": "A letiltandó kódhely.",
+ "disable_lock_user": "Zár felhasználó letiltása",
+ "enable_lock_user_code_description": "Engedélyezi a felhasználói kódot egy záron.",
+ "code_slot_to_enable": "Kódhely engedélyezése.",
+ "enable_lock_user": "Zár felhasználó engedélyezése",
+ "args_description": "A parancsnak átadandó argumentumok.",
+ "args": "Argumentumok",
+ "cluster_id_description": "ZCL fürt, amelynek attribútumait le kell kérni.",
+ "cluster_id": "Fürt azonosító",
+ "type_of_the_cluster": "A fürt típusa.",
+ "cluster_type": "Fürt típusa",
+ "command_description": "Parancs(ok), amelyeket a Google Segédnek kell küldeni.",
+ "command": "Parancs",
+ "command_type_description": "A megtanulandó parancs típusa.",
+ "command_type": "Parancs típusa",
+ "endpoint_id_description": "A fürt végpontjának azonosítója.",
+ "endpoint_id": "Végpont azonosító",
+ "ieee_description": "Az eszköz IEEE címe.",
+ "ieee": "IEEE",
+ "params_description": "A parancsnak átadandó paraméterek.",
+ "params": "Paraméterek",
+ "issue_zigbee_cluster_command": "Zigbee csoport parancs kiadása",
+ "group_description": "A csoport hexadecimális címe.",
+ "issue_zigbee_group_command": "Zigbee csoportparancs kiadása",
+ "permit_description": "Lehetővé teszi a csomópontok csatlakozását a Zigbee hálózathoz.",
+ "time_to_permit_joins": "Idő a csatlakozások engedélyezésére.",
+ "install_code": "Kód telepítése",
+ "qr_code": "QR-kód",
+ "source_ieee": "Forrás IEEE",
+ "remove_description": "Eltávolít egy csomópontot a Zigbee hálózatból.",
+ "set_lock_user_code_description": "Beállít egy felhasználói kódot egy záron.",
+ "code_to_set": "Beállítandó kód.",
+ "set_lock_user_code": "Felhasználói kód beállítása",
+ "attribute_description": "A beállítandó attribútum azonosítója.",
+ "value_description": "A beállítandó célérték.",
+ "set_zigbee_cluster_attribute": "Állítsa be a zigbee fürt attribútumot",
+ "strobe": "Villanó",
+ "warning_device_squawk": "Figyelmeztető készülék csipogása",
+ "duty_cycle": "Működési ciklus",
+ "intensity": "Intenzitás",
+ "warning_device_starts_alert": "Figyelmeztető eszköz riasztást indít",
"dump_log_objects": "Naplóobjektumok kiírása",
"log_current_tasks_description": "Az összes aktuális asyncio feladatot naplózza.",
"log_current_asyncio_tasks": "Az aktuális asyncio feladatok naplózása",
@@ -3258,27 +3464,299 @@
"stop_logging_object_sources": "Objektumforrások naplózásának leállítása",
"stop_log_objects_description": "Leállítja az objektumok növekedésének naplózását a memóriában.",
"stop_logging_objects": "Objektumok naplózásának leállítása",
+ "set_default_level_description": "Beállítja az integrációk alapértelmezett naplózási szintjét.",
+ "level_description": "Az összes integráció alapértelmezett súlyossági szintje.",
+ "set_default_level": "Alapértelmezett szint beállítása",
+ "set_level": "Szint beállítása",
+ "stops_a_running_script": "Leállít egy futó szkriptet.",
+ "clear_skipped_update": "Kihagyott frissítés törlése",
+ "install_update": "Frissítés telepítése",
+ "skip_description": "A most elérhető frissítést kihagyottnak jelöli.",
+ "skip_update": "Frissítés kihagyása",
+ "decrease_speed_description": "Csökkenti a ventilátor sebességét.",
+ "decrease_speed": "Sebesség csökkentése",
+ "increase_speed_description": "Növeli a ventilátor sebességét.",
+ "increase_speed": "Sebesség növelése",
+ "oscillate_description": "Szabályozza a ventilátor legyezését.",
+ "turns_oscillation_on_off": "Legyezés ki/bekapcsolása",
+ "set_direction_description": "Beállítja a ventilátorok forgásirányát.",
+ "direction_description": "A ventilátor forgásiránya.",
+ "set_direction": "Irány beállítása",
+ "set_percentage_description": "Beállítja a ventilátor sebességét.",
+ "speed_of_the_fan": "A ventilátor sebessége.",
+ "percentage": "Százalék",
+ "set_speed": "Sebesség beállítása",
+ "sets_preset_fan_mode": "Gyári profil beállítása a ventilátohoz.",
+ "preset_fan_mode": "Az előre beállított ventilátor mód.",
+ "set_preset_mode": "Gyári profil beállítása",
+ "toggles_a_fan_on_off": "Be-/kikapcsolja a ventilátort.",
+ "turns_fan_off": "Kikapcsolja a ventilátort.",
+ "turns_fan_on": "Bekapcsolja a ventilátort.",
+ "set_datetime_description": "Beállítja a dátumot és/vagy az időt.",
+ "the_target_date": "A céldátum.",
+ "datetime_description": "A céldátum és idő.",
+ "date_time": "Dátum és idő",
+ "the_target_time": "A célidő.",
+ "log_description": "Egyéni bejegyzést hoz létre a naplóban.",
+ "entity_id_description": "Médialejátszók az üzenet lejátszásához.",
+ "message_description": "Az értesítés üzenettörzse.",
+ "request_sync_description": "Küld egy request_sync parancsot a Google-nek.",
+ "agent_user_id": "Agent felhasználói azonosító",
+ "request_sync": "Szinkronizálás kérése",
+ "apply_description": "Konfigurációval aktivál egy jelenetet.",
+ "entities_description": "Entitások listája és a célállapotuk.",
+ "entities_state": "Entitások állapota",
+ "apply": "Alkalmaz",
+ "creates_a_new_scene": "Új jelenetet hoz létre.",
+ "entity_states": "Entity states",
+ "scene_id_description": "Az új jelenet entitás azonosítója.",
+ "scene_entity_id": "Jelenet entitás azonosítója",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Dinamikusan létrehozott jelenet törlése.",
+ "activates_a_scene": "Aktivál egy jelenetet.",
"reload_themes_description": "Újratölti a témákat a YAML-konfigurációból.",
"reload_themes": "Témák újratöltése",
"name_of_a_theme": "Téma neve.",
"set_the_default_theme": "Alapértelmezett téma beállítása",
+ "decrement_description": "Csökkenti az értéket 1 lépéssel.",
+ "increment_description": "Növeli az aktuális értéket 1 lépéssel.",
+ "reset_description": "Egy számláló visszaállítása a kezdeti értékére.",
+ "set_value_description": "Beállítja egy szám értékét.",
+ "check_configuration": "Konfiguráció ellnőrzése",
+ "reload_all": "Az összes újratöltése",
+ "reload_config_entry_description": "Újratölti a megadott konfigurációs bejegyzést.",
+ "config_entry_id": "Konfigurációs bejegyzés azonosító",
+ "reload_config_entry": "Konfigurációs bejegyzések újratöltése",
+ "reload_core_config_description": "Újratölti az alapkonfigurációt a YAML-konfigurációból.",
+ "reload_core_configuration": "Mag konfiguráció újratöltése",
+ "reload_custom_jinja_templates": "Egyéni Jinja2 sablonok újratöltése",
+ "restarts_home_assistant": "Újraindítja a Home Assistantot.",
+ "safe_mode_description": "Egyéni integrációk és egyéni kártyák letiltása.",
+ "save_persistent_states": "Állandó állapotok mentése",
+ "set_location_description": "Frissíti a Home Assistant helyét.",
+ "elevation_description": "Az Ön helyének tengerszint feletti magassága.",
+ "latitude_of_your_location": "A hely szélességi foka.",
+ "longitude_of_your_location": "A hely hosszúsági foka.",
+ "set_location": "Helyszín beállítása",
+ "stops_home_assistant": "Leállítja a Home Assistantot.",
+ "generic_toggle": "Be/ki kapcsolás - általános",
+ "generic_turn_off": "Kikapcsolás - általános",
+ "generic_turn_on": "Bekapcsolás - általános",
+ "entities_to_update": "Frissítendő entitások",
+ "update_entity": "Entitás frissítése",
+ "notify_description": "Értesítő üzenetet küld a kiválasztott céloknak.",
+ "data": "Adat",
+ "title_of_the_notification": "Az értesítés címe.",
+ "send_a_persistent_notification": "Állandó értesítés küldése",
+ "sends_a_notification_message": "Értesítési üzenetet küld.",
+ "your_notification_message": "Az Ön értesítési üzenete.",
+ "title_description": "Az értesítés opcionális címe.",
+ "send_a_notification_message": "Értesítő üzenet küldése",
+ "send_magic_packet": "Magic csomag küldése",
+ "topic_to_listen_to": "A figyelendő topik.",
+ "topic": "Topik",
+ "export": "Exportálás",
+ "publish_description": "Közzétesz egy üzenetet egy MQTT témában.",
+ "evaluate_payload": "Adatcsomag kiértékelése",
+ "the_payload_to_publish": "A közzéteendő adatcsomag (payload).",
+ "payload": "Adatcsomag",
+ "payload_template": "Adatcsomag sablon",
+ "qos": "QoS",
+ "retain": "Tartás (retain)",
+ "topic_to_publish_to": "Mely topikba menjen a publikálás.",
+ "publish": "Publikálás",
+ "load_url_description": "Betölt egy URL-t a Fully Kiosk Böngészőben.",
+ "url_to_load": "URL a betöltéshez.",
+ "load_url": "URL betöltése",
+ "configuration_parameter_to_set": "A beállítandó konfigurációs paraméter.",
+ "key": "Kulcs",
+ "set_configuration": "Konfiguráció beállítása",
+ "application_description": "Az indítandó alkalmazás csomagneve.",
+ "application": "Alkalmazás",
+ "start_application": "Alkalmazás indítása",
+ "battery_description": "Az eszköz akkumulátor töltöttségi szintje.",
+ "gps_coordinates": "GPS koordináták",
+ "gps_accuracy_description": "A GPS koordináták pontossága.",
+ "hostname_of_the_device": "Az eszköz gépneve.",
+ "hostname": "Gépnév",
+ "mac_description": "Az eszköz MAC-címe.",
+ "see": "Lásd",
+ "device_description": "Az eszköz azonosítója, amelynek parancsot küld.",
+ "delete_command": "Parancs törlése",
+ "alternative": "Alternatíva",
+ "timeout_description": "A parancs megtanulására rendelkezésre álló idő.",
+ "learn_command": "Parancs megtanulása",
+ "delay_seconds": "Késleltetési másodpercek",
+ "hold_seconds": "Tartási másodpercek",
+ "send_command": "Parancs küldése",
+ "sends_the_toggle_command": "Elküldi az be/ki-kapcsolási parancsot.",
+ "turn_on_description": "Új takarítási feladatot indít.",
+ "get_weather_forecast": "Kérjen időjárás előrejelzést.",
+ "type_description": "Előrejelzés típusa: napi, óránkénti vagy kétszer naponta.",
+ "forecast_type": "Előrejelzés típusa",
+ "get_forecast": "Előrejelzés kérése",
+ "get_weather_forecasts": "Időjárás-előrejelzés lekérése.",
+ "get_forecasts": "Előrejelzések lekérése",
+ "press_the_button_entity": "Nyomja meg a gomb entitást.",
+ "enable_remote_access": "Távoli hozzáférés engedélyezése",
+ "disable_remote_access": "Távoli hozzáférés letiltása",
+ "create_description": "Megjelenít egy értesítést az értesítések panelen.",
+ "notification_id": "Értesítés azonosítója",
+ "dismiss_description": "Töröl egy értesítést az értesítési panelről.",
+ "notification_id_description": "A törlendő értesítés azonosítója.",
+ "dismiss_all_description": "Törli az összes értesítést az értesítési panelről.",
+ "locate_description": "Megkeresi a porszívó robotot.",
+ "pauses_the_cleaning_task": "Szünetelteti a takarítási feladatot.",
+ "send_command_description": "Parancsot küld a porszívónak.",
+ "set_fan_speed": "Ventilátor sebesség beállítása",
+ "start_description": "Elindítja vagy folytatja a takarítási feladatot.",
+ "start_pause_description": "Elindítja, szünetelteti vagy folytatja a takarítási feladatot.",
+ "stop_description": "Leállítja az aktuális takarítási feladatot.",
+ "toggle_description": "A médialejátszó be/ki kapcsolása.",
+ "play_chime_description": "Csengőhangot játszik le egy Reolink csengőn.",
+ "target_chime": "Célzott csengő",
+ "ringtone_to_play": "Lejátszandó csengőhang.",
+ "ringtone": "Csengőhang",
+ "play_chime": "Harangjáték lejátszása",
+ "ptz_move_description": "Mozgassa a kamerát meghatározott sebességgel.",
+ "ptz_move_speed": "PTZ mozgási sebesség.",
+ "ptz_move": "PTZ mozgás",
+ "disables_the_motion_detection": "Letiltja a mozgásérzékelést.",
+ "disable_motion_detection": "Mozgásérzékelés letiltás",
+ "enables_the_motion_detection": "Engedélyezi a mozgásérzékelést.",
+ "enable_motion_detection": "Mozgásérzékelés engedélyezés",
+ "format_description": "A médialejátszó által támogatott adatfolyam-formátum.",
+ "format": "Formátum",
+ "media_player_description": "Médialejátszók, amelyekre streamelhet.",
+ "play_stream": "Stream lejátszása",
+ "filename_description": "A fájlnév teljes elérési útja. Mp4 formátumúnak kell lennie.",
+ "filename": "Fájlnév",
+ "lookback": "Visszatekintés",
+ "snapshot_description": "Pillanatképet készít egy kamerából.",
+ "full_path_to_filename": "A fájlnév teljes elérési útja.",
+ "take_snapshot": "Pillanatkép készítése",
+ "turns_off_the_camera": "Kikapcsolja a kamerát.",
+ "turns_on_the_camera": "Bekapcsolja a kamerát.",
+ "reload_resources_description": "Újratölti az irányítópult erőforrásokat a YAML-konfigurációból.",
"clear_tts_cache": "TTS gyorsítótár kiürítése",
"cache": "Gyorsítótár",
"language_description": "A szöveg nyelve. Alapértelmezés szerint a szerver nyelvét veszi alapul.",
"options_description": "Integráció-specifikus opciókat tartalmazó szótár.",
"say_a_tts_message": "TTS-üzenet elmondása",
- "media_player_entity_id_description": "Médialejátszók az üzenet lejátszásához.",
"media_player_entity": "Médialejátszó entitás",
"speak": "Beszéd",
- "reload_resources_description": "Újratölti az irányítópult erőforrásokat a YAML-konfigurációból.",
- "toggles_the_siren_on_off": "Ki/be kapcsolja a szirénát.",
- "turns_the_siren_off": "Kikapcsolja a szirénát.",
- "turns_the_siren_on": "Bekapcsolja a szirénát.",
- "toggles_the_helper_on_off": "Be-/kikapcsolja a segítőt.",
- "turns_off_the_helper": "Kikapcsolja a segítőt.",
- "turns_on_the_helper": "Bekapcsolja a segítőt.",
- "pauses_the_mowing_task": "Szünetelteti a fűnyírási feladatot.",
- "starts_the_mowing_task": "Elindítja a fűnyírási feladatot.",
+ "send_text_command": "Szöveges parancs küldése",
+ "the_target_value": "A célérték.",
+ "removes_a_group": "Eltávolít egy csoportot.",
+ "object_id": "Objektumazonosító",
+ "creates_updates_a_group": "Létrehoz/frissít egy csoportot.",
+ "add_entities": "Entitások hozzáadása",
+ "icon_description": "A csoport ikonjának neve.",
+ "name_of_the_group": "A csoport neve.",
+ "remove_entities": "Entitások eltávolítása",
+ "locks_a_lock": "Bezár egy zárat.",
+ "code_description": "Kód a riasztó élesítéséhez.",
+ "opens_a_lock": "Kinyit egy zárat.",
+ "unlocks_a_lock": "Felold egy zárat.",
+ "announce_description": "Lehetővé teszi a segédállomás számára egy üzenet bejelentését.",
+ "media_id": "Média azonosító",
+ "the_message_to_announce": "A bejelentendő üzenet.",
+ "announce": "Bejelentés",
+ "reloads_the_automation_configuration": "Újratölti az automatizmusi konfigurációt.",
+ "trigger_description": "Elindítja az automatizmus műveleteit.",
+ "skip_conditions": "Feltételek kihagyása",
+ "disables_an_automation": "Letiltja az automatizmust.",
+ "stops_currently_running_actions": "Leállítja az éppen futó műveleteket.",
+ "stop_actions": "Műveletek leállítása",
+ "enables_an_automation": "Engedélyezi az automatizmust.",
+ "deletes_all_log_entries": "Az összes naplóbejegyzés törlése.",
+ "write_log_entry": "Naplóbejegyzés írása",
+ "log_level": "Naplózási szint",
+ "message_to_log": "Naplózandó üzenet",
+ "write": "Írás",
+ "dashboard_path": "Irányítópult útvonal",
+ "view_path": "Útvonal megtekintése",
+ "show_dashboard_view": "Irányítópult nézet megjelenítése",
+ "process_description": "Indít egy beszélgetést egy leírt szövegből.",
+ "agent": "Ügynök",
+ "conversation_id": "Beszélgetés azonosító",
+ "transcribed_text_input": "Szöveges bemenet.",
+ "reloads_the_intent_configuration": "Újratölti a szándékkonfigurációt.",
+ "conversation_agent_to_reload": "Beszélgetőügynök újratöltése.",
+ "closes_a_cover": "Bezár egy árnyékolót.",
+ "close_cover_tilt_description": "Lezárja az árnyékolót billentéssel",
+ "close_tilt": "Zárás billentéssel",
+ "opens_a_cover": "Kinyit egy árnyékolót.",
+ "tilts_a_cover_open": "Felnyitja az árnyékolót billentéssel",
+ "open_tilt": "Nyitás billentéssel",
+ "set_cover_position_description": "Az árnyékolót egy adott pozícióba mozgatja.",
+ "target_position": "Célpozíció.",
+ "set_position": "Pozíció beállítása",
+ "target_tilt_positition": "Billentés cél mértéke.",
+ "set_tilt_position": "Billentés mértékének beállítása",
+ "stops_the_cover_movement": "Megállítja az árnyékoló mozgását.",
+ "stop_cover_tilt_description": "Leállítja az árnyékoló billenő mozgását.",
+ "stop_tilt": "Billentés megállítása",
+ "toggles_a_cover_open_closed": "Az árnyékoló nyitása/zárása közötti váltás.",
+ "toggle_cover_tilt_description": "Az árnyékoló billentéssel való nyitása/zárása.",
+ "toggle_tilt": "Billentés váltása",
+ "turns_auxiliary_heater_on_off": "Be-/kikapcsolja a külső segédfűtést.",
+ "aux_heat_description": "A kiegészítő fűtés új értéke.",
+ "auxiliary_heating": "Segédfűtés",
+ "turn_on_off_auxiliary_heater": "Kapcsolja be/ki a segédfűtést",
+ "sets_fan_operation_mode": "Beállítja a ventilátor működési módját.",
+ "fan_operation_mode": "Ventilátor üzemmód.",
+ "set_fan_mode": "Ventilátor mód beállítása",
+ "sets_target_humidity": "Beállítja a cél páratartalmat.",
+ "set_target_humidity": "Cél páratartalom beállítása",
+ "sets_hvac_operation_mode": "Beállítja a HVAC (fűtés, szellőzés és légkondicionálás) működési módot.",
+ "hvac_operation_mode": "HVAC (fűtés, szellőzés és légkondicionálás) üzemmód.",
+ "set_hvac_mode": "HVAC üzemmód beállítása",
+ "sets_preset_mode": "Gyári profil beállítása.",
+ "set_swing_horizontal_mode_description": "Beállítja a vízszintes lengési üzemmódot.",
+ "horizontal_swing_operation_mode": "Vízszintes lengési üzemmód.",
+ "set_horizontal_swing_mode": "Vízszintes legyezési mód beállítása",
+ "sets_swing_operation_mode": "Beállítja a legyezés üzemmódot.",
+ "swing_operation_mode": "Legyezés üzemmód.",
+ "set_swing_mode": "Legyezés mód beállítása",
+ "sets_the_temperature_setpoint": "Beállítja a célhőmérsékletet.",
+ "the_max_temperature_setpoint": "A maximális hőmérséklet beállítás.",
+ "the_min_temperature_setpoint": "A minimális hőmérséklet beállítás.",
+ "the_temperature_setpoint": "A beállított hőmérséklet.",
+ "set_target_temperature": "Célhőmérséklet beállítása",
+ "turns_climate_device_off": "Kikapcsolja a klímaberendezést.",
+ "turns_climate_device_on": "Bekapcsolja a klímaberendezést.",
+ "apply_filter": "Szűrő alkalmazása",
+ "days_to_keep": "Megtartandó napok",
+ "repack": "Újracsomagolás",
+ "domains_to_remove": "Eltávolítandó domainek",
+ "entity_globs_to_remove": "Eltávolítandó entitás globok",
+ "entities_to_remove": "Eltávolítandó entitások",
+ "purge_entities": "Entitások törlése",
+ "clear_playlist_description": "Az összes elem eltávolítása a lejátszási listáról.",
+ "clear_playlist": "Lejátszási lista törlése",
+ "selects_the_next_track": "Kiválasztja a következő számot.",
+ "pauses": "Szünetel.",
+ "starts_playing": "Elindul a lejátszás.",
+ "toggles_play_pause": "Lejátszás/szünet váltása.",
+ "selects_the_previous_track": "Kiválasztja az előző számot.",
+ "seek": "Ugrás",
+ "stops_playing": "Leállítja a lejátszást.",
+ "starts_playing_specified_media": "Elkezdi lejátszani a megadott médiát.",
+ "enqueue": "Lejátszási listához ad",
+ "repeat_mode_to_set": "Ismétlési mód beállítása.",
+ "select_sound_mode_description": "Egy adott hangzás kiválasztása.",
+ "select_sound_mode": "Hangzás kiválasztása",
+ "select_source": "Bemeneti jelforrás kiválasztása",
+ "shuffle_description": "Azt határozza meg, hogy engedélyezve van-e a véletlen sorrendű lejátszás.",
+ "unjoin": "Szétválasztás",
+ "turns_down_the_volume": "Csökkenti a hangerőt.",
+ "volume_mute_description": "Elnémítja vagy visszahangosítja a médialejátszót.",
+ "is_volume_muted_description": "Meghatározza, hogy némítva van-e vagy sem.",
+ "mute_unmute_volume": "Hangerő elnémítása/feloldása",
+ "sets_the_volume_level": "Beállítja a hangerőt.",
+ "set_volume": "Hangerő megadása",
+ "turns_up_the_volume": "Növeli a hangerőt.",
"restarts_an_add_on": "Újraindít egy bővítményt.",
"the_add_on_to_restart": "A bővítmény, amelyet újra kell indítani.",
"restart_add_on": "Bővítmény újraindítása",
@@ -3317,38 +3795,6 @@
"restore_partial_description": "Visszaállítás részleges biztonsági mentésből.",
"restores_home_assistant": "Helyreállítja a Home Assistantot.",
"restore_from_partial_backup": "Részleges biztonsági mentésből visszaállítás",
- "decrease_speed_description": "Csökkenti a ventilátor sebességét.",
- "decrease_speed": "Sebesség csökkentése",
- "increase_speed_description": "Növeli a ventilátor sebességét.",
- "increase_speed": "Sebesség növelése",
- "oscillate_description": "Szabályozza a ventilátor legyezését.",
- "turns_oscillation_on_off": "Legyezés ki/bekapcsolása",
- "set_direction_description": "Beállítja a ventilátorok forgásirányát.",
- "direction_description": "A ventilátor forgásiránya.",
- "set_direction": "Irány beállítása",
- "set_percentage_description": "Beállítja a ventilátor sebességét.",
- "speed_of_the_fan": "A ventilátor sebessége.",
- "percentage": "Százalék",
- "set_speed": "Sebesség beállítása",
- "sets_preset_fan_mode": "Gyári profil beállítása a ventilátohoz.",
- "preset_fan_mode": "Az előre beállított ventilátor mód.",
- "toggles_a_fan_on_off": "Be-/kikapcsolja a ventilátort.",
- "turns_fan_off": "Kikapcsolja a ventilátort.",
- "turns_fan_on": "Bekapcsolja a ventilátort.",
- "get_weather_forecast": "Kérjen időjárás előrejelzést.",
- "type_description": "Előrejelzés típusa: napi, óránkénti vagy kétszer naponta.",
- "forecast_type": "Előrejelzés típusa",
- "get_forecast": "Előrejelzés kérése",
- "get_weather_forecasts": "Időjárás-előrejelzés lekérése.",
- "get_forecasts": "Előrejelzések lekérése",
- "clear_skipped_update": "Kihagyott frissítés törlése",
- "install_update": "Frissítés telepítése",
- "skip_description": "A most elérhető frissítést kihagyottnak jelöli.",
- "skip_update": "Frissítés kihagyása",
- "code_description": "A zár feloldásához használt kód.",
- "alarm_arm_vacation_description": "A riasztót a következőre állítja: _élesítve vakáció módban_.",
- "disarms_the_alarm": "Hatástalanítja a riasztót.",
- "trigger_the_alarm_manually": "Manuálisan indíthatja el a riasztót.",
"selects_the_first_option": "Kiválasztja az első opciót.",
"first": "Első",
"selects_the_last_option": "Kiválasztja az utolsó opciót.",
@@ -3356,75 +3802,16 @@
"selects_an_option": "Kiválaszt egy opciót.",
"option_to_be_selected": "Kiválasztandó opció.",
"selects_the_previous_option": "Kiválasztja az előző opciót.",
- "disables_the_motion_detection": "Letiltja a mozgásérzékelést.",
- "disable_motion_detection": "Mozgásérzékelés letiltás",
- "enables_the_motion_detection": "Engedélyezi a mozgásérzékelést.",
- "enable_motion_detection": "Mozgásérzékelés engedélyezés",
- "format_description": "A médialejátszó által támogatott adatfolyam-formátum.",
- "format": "Formátum",
- "media_player_description": "Médialejátszók, amelyekre streamelhet.",
- "play_stream": "Stream lejátszása",
- "filename_description": "A fájlnév teljes elérési útja. Mp4 formátumúnak kell lennie.",
- "filename": "Fájlnév",
- "lookback": "Visszatekintés",
- "snapshot_description": "Pillanatképet készít egy kamerából.",
- "full_path_to_filename": "A fájlnév teljes elérési útja.",
- "take_snapshot": "Pillanatkép készítése",
- "turns_off_the_camera": "Kikapcsolja a kamerát.",
- "turns_on_the_camera": "Bekapcsolja a kamerát.",
- "press_the_button_entity": "Nyomja meg a gomb entitást.",
+ "create_event_description": "Új naptári eseményt ad hozzá.",
+ "location_description": "Az esemény helyszíne. Opcionális.",
"start_date_description": "Az egész napos esemény kezdetének dátuma.",
+ "create_event": "Esemény létrehozása",
"get_events": "Események lekérése",
- "sets_the_options": "Beállítja az opciókat.",
- "list_of_options": "Opciók listája.",
- "set_options": "Opciók megadása",
- "closes_a_cover": "Bezár egy árnyékolót.",
- "close_cover_tilt_description": "Lezárja az árnyékolót billentéssel",
- "close_tilt": "Zárás billentéssel",
- "opens_a_cover": "Kinyit egy árnyékolót.",
- "tilts_a_cover_open": "Felnyitja az árnyékolót billentéssel",
- "open_tilt": "Nyitás billentéssel",
- "set_cover_position_description": "Az árnyékolót egy adott pozícióba mozgatja.",
- "target_tilt_positition": "Billentés cél mértéke.",
- "set_tilt_position": "Billentés mértékének beállítása",
- "stops_the_cover_movement": "Megállítja az árnyékoló mozgását.",
- "stop_cover_tilt_description": "Leállítja az árnyékoló billenő mozgását.",
- "stop_tilt": "Billentés megállítása",
- "toggles_a_cover_open_closed": "Az árnyékoló nyitása/zárása közötti váltás.",
- "toggle_cover_tilt_description": "Az árnyékoló billentéssel való nyitása/zárása.",
- "toggle_tilt": "Billentés váltása",
- "request_sync_description": "Küld egy request_sync parancsot a Google-nek.",
- "agent_user_id": "Agent felhasználói azonosító",
- "request_sync": "Szinkronizálás kérése",
- "log_description": "Egyéni bejegyzést hoz létre a naplóban.",
- "message_description": "Az értesítés üzenettörzse.",
- "enter_your_text": "Írja be a szöveget.",
- "set_value": "Érték beállítása",
- "topic_to_listen_to": "A figyelendő topik.",
- "topic": "Topik",
- "export": "Exportálás",
- "publish_description": "Közzétesz egy üzenetet egy MQTT témában.",
- "evaluate_payload": "Adatcsomag kiértékelése",
- "the_payload_to_publish": "A közzéteendő adatcsomag (payload).",
- "payload": "Adatcsomag",
- "payload_template": "Adatcsomag sablon",
- "qos": "QoS",
- "retain": "Tartás (retain)",
- "topic_to_publish_to": "Mely topikba menjen a publikálás.",
- "publish": "Publikálás",
- "reloads_the_automation_configuration": "Újratölti az automatizmusi konfigurációt.",
- "trigger_description": "Elindítja az automatizmus műveleteit.",
- "skip_conditions": "Feltételek kihagyása",
- "disables_an_automation": "Letiltja az automatizmust.",
- "stops_currently_running_actions": "Leállítja az éppen futó műveleteket.",
- "stop_actions": "Műveletek leállítása",
- "enables_an_automation": "Engedélyezi az automatizmust.",
- "enable_remote_access": "Távoli hozzáférés engedélyezése",
- "disable_remote_access": "Távoli hozzáférés letiltása",
- "set_default_level_description": "Beállítja az integrációk alapértelmezett naplózási szintjét.",
- "level_description": "Az összes integráció alapértelmezett súlyossági szintje.",
- "set_default_level": "Alapértelmezett szint beállítása",
- "set_level": "Szint beállítása",
+ "closes_a_valve": "Bezárja a szelepet.",
+ "opens_a_valve": "Kinyit egy szelepet.",
+ "set_valve_position_description": "A szelepet egy adott helyzetbe mozgatja.",
+ "stops_the_valve_movement": "Megállítja a szelep mozgását.",
+ "toggles_a_valve_open_closed": "Szelepet nyit vagy zár.",
"bridge_identifier": "Híd azonosító",
"configuration_payload": "Konfigurációs adatcsomag",
"entity_description": "Egy adott eszközvégpontot jelöl a deCONZ-ban.",
@@ -3432,81 +3819,31 @@
"device_refresh_description": "Frissíti az elérhető eszközöket a deCONZ-ból.",
"device_refresh": "Eszköz frissítése",
"remove_orphaned_entries": "Elárvult bejegyzések eltávolítása",
- "locate_description": "Megkeresi a porszívó robotot.",
- "pauses_the_cleaning_task": "Szünetelteti a takarítási feladatot.",
- "send_command_description": "Parancsot küld a porszívónak.",
- "command_description": "Parancs(ok), amelyeket a Google Segédnek kell küldeni.",
- "parameters": "Paraméterek",
- "set_fan_speed": "Ventilátor sebesség beállítása",
- "start_description": "Elindítja vagy folytatja a takarítási feladatot.",
- "start_pause_description": "Elindítja, szünetelteti vagy folytatja a takarítási feladatot.",
- "stop_description": "Leállítja az aktuális takarítási feladatot.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Be/ki kapcsol egy kapcsolót.",
- "turns_a_switch_off": "Kikapcsol egy kapcsolót.",
- "turns_a_switch_on": "Bekapcsol egy kapcsolót.",
+ "add_event_description": "Új naptári esemény hozzáadása.",
+ "calendar_id_description": "A kívánt naptár azonosítója.",
+ "calendar_id": "Naptárazonosító",
+ "description_description": "Az esemény leírása. Opcionális.",
+ "summary_description": "Az esemény címeként működik.",
"extract_media_url_description": "Média URL-cím kibontása egy szolgáltatásból.",
"format_query": "Formátum lekérdezés",
"url_description": "URL, ahol a média megtalálható.",
"media_url": "Média URL",
"get_media_url": "Média URL lekérése",
"play_media_description": "Fájl letöltése a megadott URL-ről.",
- "notify_description": "Értesítő üzenetet küld a kiválasztott céloknak.",
- "data": "Adat",
- "title_of_the_notification": "Az értesítés címe.",
- "send_a_persistent_notification": "Állandó értesítés küldése",
- "sends_a_notification_message": "Értesítési üzenetet küld.",
- "your_notification_message": "Az Ön értesítési üzenete.",
- "title_description": "Az értesítés opcionális címe.",
- "send_a_notification_message": "Értesítő üzenet küldése",
- "process_description": "Indít egy beszélgetést egy leírt szövegből.",
- "agent": "Ügynök",
- "conversation_id": "Beszélgetés azonosító",
- "transcribed_text_input": "Szöveges bemenet.",
- "reloads_the_intent_configuration": "Újratölti a szándékkonfigurációt.",
- "conversation_agent_to_reload": "Beszélgetőügynök újratöltése.",
- "play_chime_description": "Csengőhangot játszik le egy Reolink csengőn.",
- "target_chime": "Célzott csengő",
- "ringtone_to_play": "Lejátszandó csengőhang.",
- "ringtone": "Csengőhang",
- "play_chime": "Harangjáték lejátszása",
- "ptz_move_description": "Mozgassa a kamerát meghatározott sebességgel.",
- "ptz_move_speed": "PTZ mozgási sebesség.",
- "ptz_move": "PTZ mozgás",
- "send_magic_packet": "Magic csomag küldése",
- "send_text_command": "Szöveges parancs küldése",
- "announce_description": "Lehetővé teszi a segédállomás számára egy üzenet bejelentését.",
- "media_id": "Média azonosító",
- "the_message_to_announce": "A bejelentendő üzenet.",
- "deletes_all_log_entries": "Az összes naplóbejegyzés törlése.",
- "write_log_entry": "Naplóbejegyzés írása",
- "log_level": "Naplózási szint",
- "message_to_log": "Naplózandó üzenet",
- "write": "Írás",
- "locks_a_lock": "Bezár egy zárat.",
- "opens_a_lock": "Kinyit egy zárat.",
- "unlocks_a_lock": "Felold egy zárat.",
- "removes_a_group": "Eltávolít egy csoportot.",
- "object_id": "Objektumazonosító",
- "creates_updates_a_group": "Létrehoz/frissít egy csoportot.",
- "add_entities": "Entitások hozzáadása",
- "icon_description": "A csoport ikonjának neve.",
- "name_of_the_group": "A csoport neve.",
- "remove_entities": "Entitások eltávolítása",
- "stops_a_running_script": "Leállít egy futó szkriptet.",
- "create_description": "Megjelenít egy értesítést az értesítések panelen.",
- "notification_id": "Értesítés azonosítója",
- "dismiss_description": "Töröl egy értesítést az értesítési panelről.",
- "notification_id_description": "A törlendő értesítés azonosítója.",
- "dismiss_all_description": "Törli az összes értesítést az értesítési panelről.",
- "load_url_description": "Betölt egy URL-t a Fully Kiosk Böngészőben.",
- "url_to_load": "URL a betöltéshez.",
- "load_url": "URL betöltése",
- "configuration_parameter_to_set": "A beállítandó konfigurációs paraméter.",
- "key": "Kulcs",
- "set_configuration": "Konfiguráció beállítása",
- "application_description": "Az indítandó alkalmazás csomagneve.",
- "application": "Alkalmazás",
- "start_application": "Alkalmazás indítása"
+ "sets_the_options": "Beállítja az opciókat.",
+ "list_of_options": "Opciók listája.",
+ "set_options": "Opciók megadása",
+ "alarm_arm_vacation_description": "A riasztót a következőre állítja: _élesítve vakáció módban_.",
+ "disarms_the_alarm": "Hatástalanítja a riasztót.",
+ "trigger_the_alarm_manually": "Manuálisan indíthatja el a riasztót.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Egy futó időzítő idő előtti befejezése.",
+ "duration_description": "Egyedi időtartam, amellyel újraindíthatja az időzítőt.",
+ "toggles_a_switch_on_off": "Be/ki kapcsol egy kapcsolót.",
+ "turns_a_switch_off": "Kikapcsol egy kapcsolót.",
+ "turns_a_switch_on": "Bekapcsol egy kapcsolót."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/hy/hy.json b/packages/core/src/hooks/useLocale/locales/hy/hy.json
index bda91510..b1ec943c 100644
--- a/packages/core/src/hooks/useLocale/locales/hy/hy.json
+++ b/packages/core/src/hooks/useLocale/locales/hy/hy.json
@@ -741,7 +741,7 @@
"can_not_skip_version": "Can not skip version",
"update_instructions": "Update instructions",
"current_activity": "Current activity",
- "status": "Status",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Vacuum cleaner commands:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -859,7 +859,7 @@
"restart_home_assistant": "Restart Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Quick reload",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Reloading configuration",
"failed_to_reload_configuration": "Failed to reload configuration",
"restart_description": "Interrupts all running automations and scripts.",
@@ -887,8 +887,8 @@
"password": "Password",
"regex_pattern": "Regex pattern",
"used_for_client_side_validation": "Used for client-side validation",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Input field",
"slider": "Slider",
"step_size": "Step size",
@@ -1482,141 +1482,120 @@
"now": "Now",
"compare_data": "Compare data",
"reload_ui": "Reload UI",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
+ "scene": "Scene",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climate",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climate",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1645,6 +1624,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1670,31 +1650,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Next dawn",
- "next_dusk": "Next dusk",
- "next_midnight": "Next midnight",
- "next_noon": "Next noon",
- "next_rising": "Next rising",
- "next_setting": "Next setting",
- "solar_azimuth": "Solar azimuth",
- "solar_elevation": "Solar elevation",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1716,34 +1681,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Plugged in",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1817,6 +1824,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1867,7 +1875,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1884,6 +1891,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Next dawn",
+ "next_dusk": "Next dusk",
+ "next_midnight": "Next midnight",
+ "next_noon": "Next noon",
+ "next_rising": "Next rising",
+ "next_setting": "Next setting",
+ "solar_azimuth": "Solar azimuth",
+ "solar_elevation": "Solar elevation",
+ "solar_rising": "Solar rising",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1903,73 +1953,251 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Plugged in",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Paused",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -2002,84 +2230,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Current humidity",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Current action",
- "cooling": "Cooling",
- "defrosting": "Defrosting",
- "drying": "Drying",
- "heating": "Heating",
- "preheating": "Preheating",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Both",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Not charging",
- "disconnected": "Disconnected",
- "connected": "Connected",
- "hot": "Hot",
- "no_light": "No light",
- "light_detected": "Light detected",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "Not moving",
- "unplugged": "Unplugged",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Above horizon",
- "below_horizon": "Below horizon",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2095,13 +2251,36 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "available_tones": "Available tones",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Clear, night",
"cloudy": "Cloudy",
"exceptional": "Exceptional",
@@ -2124,26 +2303,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "disarming": "Disarming",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2152,65 +2314,112 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locked": "Locked",
+ "locking": "Locking",
+ "unlocked": "Unlocked",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Current humidity",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Current action",
+ "cooling": "Cooling",
+ "defrosting": "Defrosting",
+ "drying": "Drying",
+ "heating": "Heating",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Both",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Not charging",
+ "disconnected": "Disconnected",
+ "connected": "Connected",
+ "hot": "Hot",
+ "no_light": "No light",
+ "light_detected": "Light detected",
+ "not_moving": "Not moving",
+ "unplugged": "Unplugged",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Above horizon",
+ "below_horizon": "Below horizon",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Disarming",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2221,27 +2430,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2249,68 +2460,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2337,48 +2507,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Bridge is already configured",
- "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Couldn't get an API key",
- "link_with_deconz": "Link with deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2386,128 +2555,161 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "Bridge is already configured",
+ "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Couldn't get an API key",
+ "link_with_deconz": "Link with deCONZ",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Enable birth message",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Enable will message",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
"samsungtv_smart_options": "SamsungTV Smart options",
"data_use_st_status_info": "Use SmartThings TV Status information",
"data_use_st_channel_info": "Use SmartThings TV Channels information",
@@ -2535,28 +2737,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Enable birth message",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Enable will message",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2564,26 +2744,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2678,6 +2943,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
+ "increase_entity_name_brightness": "Increase {entity_name} brightness",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "First button",
+ "second_button": "Second button",
+ "third_button": "Third button",
+ "fourth_button": "Fourth button",
+ "fifth_button": "Fifth button",
+ "sixth_button": "Sixth button",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} is home",
+ "entity_name_is_not_home": "{entity_name} is not home",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} is cleaning",
+ "entity_name_is_docked": "{entity_name} is docked",
+ "entity_name_started_cleaning": "{entity_name} started cleaning",
+ "entity_name_docked": "{entity_name} docked",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} is locked",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is unlocked",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opened",
+ "entity_name_unlocked": "{entity_name} unlocked",
"action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
"change_preset_on_entity_name": "Change preset on {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2685,8 +3003,22 @@
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Close {entity_name} tilt",
+ "open_entity_name_tilt": "Open {entity_name} tilt",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Set {entity_name} tilt position",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} is closed",
+ "entity_name_is_closing": "{entity_name} is closing",
+ "entity_name_is_opening": "{entity_name} is opening",
+ "current_entity_name_position_is": "Current {entity_name} position is",
+ "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
+ "entity_name_closed": "{entity_name} closed",
+ "entity_name_closing": "{entity_name} closing",
+ "entity_name_opening": "{entity_name} opening",
+ "entity_name_position_changes": "{entity_name} position changes",
+ "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
"entity_name_battery_is_low": "{entity_name} battery is low",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2695,7 +3027,6 @@
"entity_name_is_detecting_gas": "{entity_name} is detecting gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} is detecting light",
- "entity_name_is_locked": "{entity_name} is locked",
"entity_name_is_moist": "{entity_name} is moist",
"entity_name_is_detecting_motion": "{entity_name} is detecting motion",
"entity_name_is_moving": "{entity_name} is moving",
@@ -2713,11 +3044,9 @@
"entity_name_is_not_cold": "{entity_name} is not cold",
"entity_name_is_disconnected": "{entity_name} is disconnected",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} is unlocked",
"entity_name_is_dry": "{entity_name} is dry",
"entity_name_is_not_moving": "{entity_name} is not moving",
"entity_name_is_not_occupied": "{entity_name} is not occupied",
- "entity_name_is_closed": "{entity_name} is closed",
"entity_name_is_unplugged": "{entity_name} is unplugged",
"entity_name_is_not_powered": "{entity_name} is not powered",
"entity_name_is_not_present": "{entity_name} is not present",
@@ -2725,7 +3054,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} is occupied",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is plugged in",
"entity_name_is_powered": "{entity_name} is powered",
"entity_name_is_present": "{entity_name} is present",
@@ -2745,7 +3073,6 @@
"entity_name_started_detecting_gas": "{entity_name} started detecting gas",
"entity_name_became_hot": "{entity_name} became hot",
"entity_name_started_detecting_light": "{entity_name} started detecting light",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} started detecting motion",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2756,18 +3083,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} became not hot",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} closed",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
@@ -2775,7 +3099,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} plugged in",
"entity_name_powered": "{entity_name} powered",
"entity_name_present": "{entity_name} present",
@@ -2783,46 +3106,16 @@
"entity_name_started_running": "{entity_name} started running",
"entity_name_started_detecting_smoke": "{entity_name} started detecting smoke",
"entity_name_started_detecting_sound": "{entity_name} started detecting sound",
- "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
- "entity_name_became_unsafe": "{entity_name} became unsafe",
- "trigger_type_update": "{entity_name} got an update available",
- "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
- "entity_name_is_buffering": "{entity_name} is buffering",
- "entity_name_is_idle": "{entity_name} is idle",
- "entity_name_is_paused": "{entity_name} is paused",
- "entity_name_is_playing": "{entity_name} is playing",
- "entity_name_starts_buffering": "{entity_name} starts buffering",
- "entity_name_becomes_idle": "{entity_name} becomes idle",
- "entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} is home",
- "entity_name_is_not_home": "{entity_name} is not home",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
- "increase_entity_name_brightness": "Increase {entity_name} brightness",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Disarm {entity_name}",
- "trigger_entity_name": "Trigger {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} is disarmed",
- "entity_name_is_triggered": "{entity_name} is triggered",
- "entity_name_armed_away": "{entity_name} armed away",
- "entity_name_armed_home": "{entity_name} armed home",
- "entity_name_armed_night": "{entity_name} armed night",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} disarmed",
- "entity_name_triggered": "{entity_name} triggered",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
+ "entity_name_became_unsafe": "{entity_name} became unsafe",
+ "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
+ "entity_name_is_buffering": "{entity_name} is buffering",
+ "entity_name_is_idle": "{entity_name} is idle",
+ "entity_name_is_paused": "{entity_name} is paused",
+ "entity_name_is_playing": "{entity_name} is playing",
+ "entity_name_starts_buffering": "{entity_name} starts buffering",
+ "entity_name_becomes_idle": "{entity_name} becomes idle",
+ "entity_name_starts_playing": "{entity_name} starts playing",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2832,35 +3125,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Close {entity_name} tilt",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Open {entity_name} tilt",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Set {entity_name} tilt position",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} is closing",
- "entity_name_is_opening": "{entity_name} is opening",
- "current_entity_name_position_is": "Current {entity_name} position is",
- "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
- "entity_name_closing": "{entity_name} closing",
- "entity_name_opening": "{entity_name} opening",
- "entity_name_position_changes": "{entity_name} position changes",
- "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Both buttons",
"bottom_buttons": "Bottom buttons",
"seventh_button": "Seventh button",
@@ -2885,13 +3149,6 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} is cleaning",
- "entity_name_is_docked": "{entity_name} is docked",
- "entity_name_started_cleaning": "{entity_name} started cleaning",
- "entity_name_docked": "{entity_name} docked",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2902,29 +3159,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Disarm {entity_name}",
+ "trigger_entity_name": "Trigger {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} is disarmed",
+ "entity_name_is_triggered": "{entity_name} is triggered",
+ "entity_name_armed_away": "{entity_name} armed away",
+ "entity_name_armed_home": "{entity_name} armed home",
+ "entity_name_armed_night": "{entity_name} armed night",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} disarmed",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "Device dropped",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Device tilted",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3055,52 +3337,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3117,6 +3369,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3127,102 +3380,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3235,25 +3397,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3279,27 +3486,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3338,40 +3826,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3379,77 +3833,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3458,83 +3851,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/id/id.json b/packages/core/src/hooks/useLocale/locales/id/id.json
index a88c5f3c..87a10958 100644
--- a/packages/core/src/hooks/useLocale/locales/id/id.json
+++ b/packages/core/src/hooks/useLocale/locales/id/id.json
@@ -67,8 +67,8 @@
"action_to_target": "{action} untuk target",
"target": "Target",
"humidity_target": "Target kelembaban",
- "increment": "Naikkan",
- "decrement": "Kurangi",
+ "increment": "Kenaikan",
+ "decrement": "Penurunan",
"reset": "Setel Ulang",
"position": "Posisi",
"tilt_position": "Posisi kemiringan",
@@ -82,7 +82,7 @@
"reverse": "Mundur",
"medium": "Sedang",
"target_humidity": "Menyetel suhu target",
- "state": "Status",
+ "state": "State",
"name_target_humidity": "Target kelembaban {name}",
"name_current_humidity": "{name} kelembaban saat ini",
"name_humidifying": "{name} melembabkan",
@@ -130,7 +130,7 @@
"cancel": "Batalkan",
"cancel_number": "Batalkan {number}",
"cancel_all": "Batalkan semua",
- "idle": "Idle",
+ "idle": "Siaga",
"run_script": "Jalankan skrip",
"option": "Opsi",
"installing": "Menginstal",
@@ -215,6 +215,7 @@
"name": "Nama",
"optional": "opsional",
"default": "Baku",
+ "ui_common_dont_save": "Jangan simpan",
"select_media_player": "Pilih pemutar media",
"media_browse_not_supported": "Pemutar media tidak mendukung penjelajahan media.",
"pick_media": "Pilih media",
@@ -234,7 +235,7 @@
"selector_options": "Opsi Pemilih",
"action": "Aksi",
"area": "Area",
- "attribute": "Atribut",
+ "attribute": "Attribute",
"boolean": "Boolean",
"condition": "Kondisi",
"date": "Tanggal",
@@ -256,6 +257,7 @@
"learn_more_about_templating": "Pelajari lebih lanjut tentang pembuatan templat.",
"show_password": "Tampilkan kata sandi",
"hide_password": "Sembunyikan kata sandi",
+ "ui_components_selectors_background_yaml_info": "Gambar latar belakang ditetapkan melalui editor yaml.",
"no_logbook_events_found": "Tidak ada peristiwa buku log yang ditemukan.",
"triggered_by": "dipicu oleh",
"triggered_by_automation": "dipicu oleh otomasi",
@@ -455,8 +457,8 @@
"black": "Hitam",
"white": "Putih",
"ui_components_color_picker_default_color": "Warna default (status)",
- "start_date": "Tanggal mulai",
- "end_date": "Tanggal akhir",
+ "start_date": "Start date",
+ "end_date": "End date",
"select_time_period": "Pilih jangka waktu",
"today": "Hari ini",
"yesterday": "Kemarin",
@@ -562,7 +564,7 @@
"grid": "Kisi",
"list": "Daftar",
"task_name": "Nama tugas",
- "description": "Deskripsi",
+ "description": "Description",
"add_item": "Tambah item",
"delete_item": "Hapus item",
"edit_item": "Edit item",
@@ -615,12 +617,13 @@
"weekday": "hari kerja",
"until": "hingga",
"for": "selama",
- "in": "Di",
+ "in": "In",
"at": "pada",
"or": "Atau",
"last": "Terakhir",
"times": "waktu",
- "summary": "Ringkasan",
+ "summary": "Summary",
+ "attributes": "Atribut",
"select_camera": "Pilih kamera",
"qr_scanner_not_supported": "Browser Anda tidak mendukung pemindaian kode QR.",
"enter_qr_code_value": "Masukkan nilai kode QR",
@@ -632,6 +635,7 @@
"last_changed": "Terakhir diubah",
"remaining_time": "Sisa waktu",
"install_status": "Status instalasi",
+ "ui_components_multi_textfield_add_item": "Tambahkan {item}",
"safe_mode": "Mode aman",
"all_yaml_configuration": "Semua konfigurasi YAML",
"domain": "Domain",
@@ -732,6 +736,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Buat cadangan sebelum memperbarui",
"update_instructions": "Petunjuk pembaruan",
"current_activity": "Aktivitas saat ini",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Perintah penyedot debu:",
"fan_speed": "Kecepatan kipas",
"clean_spot": "Bersihkan area tertentu",
@@ -765,7 +770,7 @@
"default_code": "Kode bawaan",
"editor_default_code_error": "Kode tidak cocok dengan format kode",
"entity_id": "ID Entitas",
- "unit_of_measurement": "Satuan Pengukuran",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "Satuan presipitasi",
"display_precision": "Presisi tampilan",
"default_value": "Bawaan ({value})",
@@ -846,7 +851,7 @@
"restart_home_assistant": "Mulai ulang Home Assistant?",
"advanced_options": "Opsi tingkat lanjut",
"quick_reload": "Muat ulang cepat",
- "reload_description": "Memuat ulang semua skrip yang tersedia.",
+ "reload_description": "Muat ulang timer dari konfigurasi YAML.",
"reloading_configuration": "Memuat ulang konfigurasi",
"failed_to_reload_configuration": "Gagal memuat ulang konfigurasi",
"restart_description": "Mengganggu semua otomasi dan skrip yang sedang berjalan.",
@@ -874,8 +879,8 @@
"password": "Kata Sandi",
"regex_pattern": "Pola ekspressi reguler",
"used_for_client_side_validation": "Digunakan untuk validasi sisi klien",
- "minimum_value": "Nilai minimum",
- "maximum_value": "Nilai maksimum",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Bidang masukan",
"slider": "Penggeser",
"step_size": "Ukuran langkah",
@@ -918,7 +923,7 @@
"ui_dialogs_zha_device_info_confirmations_remove": "Yakin ingin menghapus perangkat?",
"quirk": "Kebiasaan",
"last_seen": "Terakhir terlihat",
- "power_source": "Sumber daya",
+ "power_source": "Power source",
"change_device_name": "Ubah nama perangkat",
"device_debug_info": "Informasi debug {device}",
"mqtt_device_debug_info_deserialize": "Mencoba mengurai pesan MQTT sebagai JSON",
@@ -1192,7 +1197,7 @@
"ui_panel_lovelace_editor_edit_view_type_helper_sections": "Anda tidak dapat mengubah tampilan untuk menggunakan tipe tampilan 'bagian', karena migrasi belum didukung. Mulailah dari awal dengan tampilan baru jika Anda ingin bereksperimen dengan tampilan 'bagian'.",
"card_configuration": "Konfigurasi kartu",
"type_card_configuration": "Konfigurasi kartu {type}",
- "edit_card_pick_card": "Kartu mana yang ingin Anda tambahkan?",
+ "add_to_dashboard": "Tambahkan ke dasbor",
"toggle_editor": "Alihkan editor",
"you_have_unsaved_changes": "Anda memiliki perubahan yang belum disimpan",
"edit_card_confirm_cancel": "Yakin ingin membatalkan?",
@@ -1220,7 +1225,6 @@
"edit_badge_pick_badge": "Lencana mana yang ingin ditambahkan?",
"add_badge": "Tambahkan lencana",
"suggest_card_header": "Kami membuat saran untuk Anda",
- "add_to_dashboard": "Tambahkan ke dasbor",
"move_card_strategy_error_title": "Kartu tidak bisa dipindahkan",
"card_moved_successfully": "Kartu berhasil dipindahkan",
"error_while_moving_card": "Kesalahan saat memindahkan kartu",
@@ -1386,6 +1390,11 @@
"show_more_detail": "Tampilkan detail lainnya",
"graph_type": "Jenis grafik",
"hide_completed_items": "Sembunyikan item yang sudah selesai",
+ "ui_panel_lovelace_editor_card_todo_list_display_order": "Urutan Tampilan",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc": "Abjad (A-Z)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_desc": "Abjad (Z-A)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc": "Jatuh Tempo (Yang terdekat di atas)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc": "Jatuh Tempo (Yang terakhir di atas)",
"thermostat": "Termostat",
"thermostat_show_current_as_primary": "Tampilkan suhu saat ini sebagai informasi primer",
"tile": "Ubin",
@@ -1394,6 +1403,7 @@
"vertical": "Vertikal",
"hide_state": "Sembunyikan status",
"most_recently_updated": "Terakhir diperbarui",
+ "ui_panel_lovelace_editor_card_tile_state_content_options_state": "Status",
"vertical_stack": "Tumpukan vertikal",
"weather_forecast": "Prakiraan cuaca",
"weather_to_show": "Cuaca untuk ditampilkan",
@@ -1491,130 +1501,109 @@
"now": "Sekarang",
"compare_data": "Bandingkan data",
"reload_ui": "Muat Ulang UI",
- "input_datetime": "Input tanggal waktu",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "intent": "Intent",
- "device_tracker": "Pelacak perangkat",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
- "fan": "Kipas Angin",
- "weather": "Cuaca",
- "camera": "Kamera",
- "schedule": "Jadwal",
- "mqtt": "MQTT",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "Aplikasi Seluler",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostik",
+ "filesize": "Ukuran file",
+ "group": "Group",
+ "binary_sensor": "Sensor biner",
+ "ffmpeg": "FFmpeg",
"deconz": "deCONZ",
- "go_rtc": "go2rtc",
- "android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Percakapan",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input teks",
- "valve": "Katup",
+ "google_calendar": "Google Calendar",
+ "device_automation": "Device Automation",
+ "input_button": "Tombol input",
+ "profiler": "Profiler",
"fitbit": "Fitbit",
+ "logger": "Logger",
+ "fan": "Kipas angin",
+ "scene": "Scene",
+ "schedule": "Jadwal",
"home_assistant_core_integration": "Home Assistant Core Integration",
- "binary_sensor": "Sensor biner",
- "broadlink": "Broadlink",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
+ "mqtt": "MQTT",
+ "repairs": "Repairs",
+ "weather": "Cuaca",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
+ "android_tv_remote": "Android TV Remote",
+ "assist_satellite": "Satelit Assist",
+ "system_log": "System Log",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Katup",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Sirene",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Mesin pemotong rumput",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "auth": "Auth",
- "event": "Peristiwa",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Pelacak perangkat",
+ "remote": "Daring",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Sakelar",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vakum",
+ "reolink": "Reolink",
+ "camera": "Kamera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Daring",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Pencacah",
- "filesize": "Ukuran file",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Pemeriksa Catu Daya Raspberry Pi",
+ "conversation": "Percakapan",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "lawn_mower": "Mesin pemotong rumput",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Peristiwa",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Kontrol panel alarm",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Aplikasi Seluler",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Sakelar",
+ "input_datetime": "Input tanggal waktu",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Pencacah",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Kredensial Aplikasi",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Grup",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostik",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input teks",
"localtuya": "LocalTuya integration",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Kredensial Aplikasi",
- "siren": "Sirene",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Tombol input",
- "vacuum": "Vakum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Pemeriksa Catu Daya Raspberry Pi",
- "assist_satellite": "Satelit Assist",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Level baterai",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1643,6 +1632,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Level baterai",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total konsumsi",
@@ -1668,31 +1658,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Fajar berikutnya",
- "next_dusk": "Senja berikutnya",
- "next_midnight": "Tengah malam berikutnya",
- "next_noon": "Siang berikutnya",
- "next_rising": "Terbit berikutnya",
- "next_setting": "Terbenam berikutnya",
- "solar_azimuth": "Azimuth matahari",
- "solar_elevation": "Ketinggian matahari",
- "solar_rising": "Matahari terbit",
- "day_of_week": "Day of week",
- "illuminance": "Pencahayaan",
- "noise": "Kebisingan",
- "overload": "Kelebihan beban",
- "working_location": "Lokasi kerja",
- "created": "Created",
- "size": "Ukuran",
- "size_in_bytes": "Ukuran dalam byte",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Kalibrasi",
+ "auto_lock_paused": "Kunci otomatis dijeda",
+ "timeout": "Tenggang waktu",
+ "unclosed_alarm": "Alarm tidak tertutup",
+ "unlocked_alarm": "Alarm tidak terkunci",
+ "bluetooth_signal": "Sinyal Bluetooth",
+ "light_level": "Tingkat ringan",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Sejenak",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1714,37 +1689,79 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist sedang berlangsung",
- "preferred": "Diutamakan",
- "finished_speaking_detection": "Deteksi berbicara selesai",
- "aggressive": "Agresif",
- "relaxed": "Santai",
- "os_agent_version": "Versi Agen OS",
- "apparmor_version": "Versi Apparmor",
- "cpu_percent": "Persen CPU",
- "disk_free": "Disk bebas",
- "disk_total": "Disk total",
- "disk_used": "Disk digunakan",
- "memory_percent": "Persen memori",
- "version": "Versi",
- "newest_version": "Versi terbaru",
- "synchronize_devices": "Sinkronkan perangkat",
- "estimated_distance": "Perkiraan jarak",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Penguatan otomatis",
- "mic_volume": "Mic volume",
- "noise_suppression_level": "Tingkat peredam kebisingan",
- "off": "Mati",
- "mute": "Mute",
- "animal": "Hewan",
- "detected": "Terdeteksi",
- "animal_lens": "Lensa hewan 1",
+ "day_of_week": "Day of week",
+ "illuminance": "Pencahayaan",
+ "noise": "Kebisingan",
+ "overload": "Kelebihan beban",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Hitungan kebangkitan",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
+ "synchronize_devices": "Sinkronkan perangkat",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
+ "mic_volume": "Volume mikrofon",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Dicolokkan",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Ruang kosong penyimpanan internal",
+ "internal_storage_total_space": "Total ruang penyimpanan internal",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
+ "animal": "Hewan",
+ "detected": "Terdeteksi",
+ "animal_lens": "Lensa hewan 1",
"face": "Face",
"face_lens": "Face lens 1",
"motion_lens": "Motion lens 1",
@@ -1815,6 +1832,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Mati",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital terlebih dahulu",
@@ -1865,7 +1883,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Sinyal Wi-Fi",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1882,6 +1899,49 @@
"record": "Merekam",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Ukuran",
+ "size_in_bytes": "Ukuran dalam byte",
+ "assist_in_progress": "Assist sedang berlangsung",
+ "quiet": "Quiet",
+ "preferred": "Diutamakan",
+ "finished_speaking_detection": "Deteksi berbicara selesai",
+ "aggressive": "Agresif",
+ "relaxed": "Santai",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "Versi Agen OS",
+ "apparmor_version": "Versi Apparmor",
+ "cpu_percent": "Persen CPU",
+ "disk_free": "Disk bebas",
+ "disk_total": "Disk total",
+ "disk_used": "Disk digunakan",
+ "memory_percent": "Persen memori",
+ "version": "Versi",
+ "newest_version": "Versi terbaru",
+ "auto_gain": "Penguatan otomatis",
+ "noise_suppression_level": "Tingkat peredam kebisingan",
+ "mute": "Mute",
+ "bytes_received": "Byte diterima",
+ "server_country": "Negara server",
+ "server_id": "ID server",
+ "server_name": "Nama server",
+ "ping": "Ping",
+ "upload": "Unggah",
+ "bytes_sent": "Byte dikirim",
+ "working_location": "Lokasi kerja",
+ "next_dawn": "Fajar berikutnya",
+ "next_dusk": "Senja berikutnya",
+ "next_midnight": "Tengah malam berikutnya",
+ "next_noon": "Siang berikutnya",
+ "next_rising": "Terbit berikutnya",
+ "next_setting": "Terbenam berikutnya",
+ "solar_azimuth": "Azimuth matahari",
+ "solar_elevation": "Ketinggian matahari",
+ "solar_rising": "Matahari terbit",
"heavy": "Berat",
"mild": "Ringan",
"button_down": "Tombol ke bawah",
@@ -1899,69 +1959,250 @@
"checking": "Memeriksa",
"closing": "Menutup",
"opened": "Terbuka",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Kalibrasi",
- "auto_lock_paused": "Kunci otomatis dijeda",
- "timeout": "Tenggang waktu",
- "unclosed_alarm": "Alarm tidak tertutup",
- "unlocked_alarm": "Alarm tidak terkunci",
- "bluetooth_signal": "Sinyal Bluetooth",
- "light_level": "Tingkat ringan",
- "momentary": "Sejenak",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Byte diterima",
- "server_country": "Negara server",
- "server_id": "ID server",
- "server_name": "Nama server",
- "ping": "Ping",
- "upload": "Unggah",
- "bytes_sent": "Byte dikirim",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Dicolokkan",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Ruang kosong penyimpanan internal",
- "internal_storage_total_space": "Total ruang penyimpanan internal",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Terakhir dipindai dengan ID perangkat",
- "tag_id": "ID Tag",
- "managed_via_ui": "Dikelola lewat antarmuka",
- "pattern": "Pola",
- "minute": "Menit",
- "second": "Detik",
- "timestamp": "Stempel waktu",
- "stopped": "Terhenti",
+ "estimated_distance": "Perkiraan jarak",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Grup kipas",
+ "light_group": "Grup lampu",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Offset suhu lokal",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Waktu mulai cepat",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Mode terpisah",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Jarak deteksi",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Tingkat tampilan led kipas cerdas",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Mode sakelar",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "Sedang berlangsung",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Densitas asap",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Kelembapan tanah",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Nonaktifkan LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Indikator detak",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Balikkan sakelar",
+ "inverted": "Inverted",
+ "led_indicator": "Indikator LED",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Perlindungan lokal",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Hanya mode 1 LED",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Mode bohlam cerdas",
+ "smart_fan_mode": "Mode kipas cerdas",
+ "led_trigger_indicator": "Indikator pemicu LED",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Nada yang tersedia",
"gps_accuracy": "Akurasi GPS",
- "finishes_at": "Selesai pada",
- "remaining": "Sisa",
- "restore": "Pulihkan",
"last_reset": "Pengaturan ulang terakhir",
"possible_states": "Status yang mungkin",
"state_class": "Kelas status",
@@ -1994,72 +2235,11 @@
"sound_pressure": "Tekanan suara",
"speed": "Kecepatan",
"sulphur_dioxide": "Sulfur dioksida",
+ "timestamp": "Stempel waktu",
"vocs": "VOC",
"volume_flow_rate": "Laju aliran volume",
"stored_volume": "Volume tersimpan",
- "fan_only": "Kipas saja",
- "heat_cool": "Panas/dingin",
- "aux_heat": "Pemanasan tambahan",
- "current_humidity": "Kelembapan saat ini",
- "current_temperature": "Current Temperature",
- "diffuse": "Membaur",
- "top": "Atas",
- "current_action": "Aksi saat ini",
- "cooling": "Mendinginkan",
- "defrosting": "Defrosting",
- "drying": "Mengeringkan",
- "heating": "Memanaskan",
- "preheating": "Pemanasan awal",
- "max_target_humidity": "Target kelembapan maksimum",
- "max_target_temperature": "Target suhu maksimum",
- "min_target_humidity": "Target kelembapan minimum",
- "min_target_temperature": "Target suhu minimum",
- "boost": "Kencang",
- "comfort": "Nyaman",
- "eco": "Eco",
- "sleep": "Tidur",
- "horizontal_swing_mode": "Horizontal swing mode",
- "both": "Keduanya",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Langkah target suhu",
- "step": "Langkah",
- "not_charging": "Tidak mengisi daya",
- "disconnected": "Terputus",
- "connected": "Terhubung",
- "no_light": "Tidak ada cahaya",
- "light_detected": "Cahaya terdeteksi",
- "locked": "Terkunci",
- "not_moving": "Tidak bergerak",
- "unplugged": "Dicabut",
- "not_running": "Tidak berjalan",
- "safe": "Aman",
- "unsafe": "Tidak aman",
- "tampering_detected": "Tamper terdeteksi",
- "box": "Kotak",
- "buffering": "Buffering",
- "playing": "Memutar",
- "standby": "Siaga",
- "app_id": "ID Aplikasi",
- "local_accessible_entity_picture": "Gambar entitas yang dapat diakses lokal",
- "group_members": "Kelompokkan anggota",
- "muted": "Dibisukan",
- "album_artist": "Artis Album",
- "content_id": "ID konten",
- "content_type": "Jenis konten",
- "position_updated": "Posisi diperbarui",
- "series": "Serial",
- "all": "Semua",
- "one": "Tunggal",
- "available_sound_modes": "Mode suara yang tersedia",
- "available_sources": "Sumber yang tersedia",
- "receiver": "Penerima",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Dikelola lewat antarmuka",
"color_mode": "Color Mode",
"brightness_only": "Hanya kecerahan",
"hs": "HS",
@@ -2075,18 +2255,36 @@
"minimum_color_temperature_kelvin": "Suhu warna minimum (Kelvin)",
"minimum_color_temperature_mireds": "Suhu warna minimum (mired)",
"available_color_modes": "Mode warna tersedia",
- "available_tones": "Nada yang tersedia",
"docked": "Berlabuh",
"mowing": "Memotong",
"returning": "Returning",
- "oscillating": "Berosilasi",
- "speed_step": "Langkah kecepatan",
- "available_preset_modes": "Mode prasetel tersedia",
- "clear_night": "Cerah, malam",
- "cloudy": "Berawan",
- "exceptional": "Luar biasa",
- "fog": "Kabut",
- "hail": "Hujan es",
+ "pattern": "Pola",
+ "running_automations": "Menjalankan otomasi",
+ "max_running_scripts": "Jumlah maksimal skrip yang berjalan",
+ "parallel": "Paralel",
+ "queued": "Diantrekan",
+ "one": "Tunggal",
+ "auto_update": "Pembaruan otomatis",
+ "installed_version": "Versi terinstal",
+ "release_summary": "Ringkasan rilis",
+ "release_url": "URL rilis",
+ "skipped_version": "Versi yang dilewati",
+ "firmware": "Firmware",
+ "oscillating": "Berosilasi",
+ "speed_step": "Langkah kecepatan",
+ "available_preset_modes": "Mode prasetel tersedia",
+ "minute": "Menit",
+ "second": "Detik",
+ "next_event": "Acara berikutnya",
+ "step": "Langkah",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
+ "clear_night": "Cerah, malam",
+ "cloudy": "Berawan",
+ "exceptional": "Luar biasa",
+ "fog": "Kabut",
+ "hail": "Hujan es",
"lightning": "Petir",
"lightning_rainy": "Petir, hujan",
"partly_cloudy": "Sebagian berawan",
@@ -2104,24 +2302,8 @@
"uv_index": "Indeks UV",
"wind_bearing": "Arah angin",
"wind_gust_speed": "Kecepatan gust angin",
- "auto_update": "Pembaruan otomatis",
- "in_progress": "Sedang berlangsung",
- "installed_version": "Versi terinstal",
- "release_summary": "Ringkasan rilis",
- "release_url": "URL rilis",
- "skipped_version": "Versi yang dilewati",
- "firmware": "Firmware",
- "armed_away": "Diaktifkan untuk keluar",
- "armed_home": "Diaktifkan untuk di rumah",
- "armed_night": "Diaktifkan untuk malam",
- "armed_vacation": "Diaktifkan untuk liburan",
- "disarming": "Sedang dinonaktifkan",
- "triggered": "Terpicu",
- "changed_by": "Diubah oleh",
- "code_for_arming": "Kode untuk mengaktifkan",
- "not_required": "Tidak dibutuhkan",
- "code_format": "Format kode",
"identify": "Identifikasi",
+ "cleaning": "Membersihkan",
"streaming": "Streaming",
"access_token": "Token akses",
"brand": "Merek",
@@ -2129,92 +2311,130 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
- "end_time": "Waktu berakhir",
- "start_time": "Waktu mulai",
- "next_event": "Acara berikutnya",
- "garage": "Garasi",
- "event_type": "Jenis peristiwa",
- "doorbell": "Bel pintu",
- "running_automations": "Menjalankan otomasi",
- "id": "ID",
- "max_running_automations": "Jumlah maksimal otomasi yang berjalan",
- "parallel": "Paralel",
- "queued": "Diantrekan",
- "cleaning": "Membersihkan",
- "listening": "Listening",
- "processing": "Memroses",
- "responding": "Menanggapi",
- "max_running_scripts": "Jumlah maksimal skrip yang berjalan",
+ "last_scanned_by_device_id_name": "Terakhir dipindai dengan ID perangkat",
+ "tag_id": "ID Tag",
+ "box": "Kotak",
"jammed": "Macet",
+ "locked": "Terkunci",
"locking": "Mengunci",
"unlocking": "Membuka kunci",
+ "changed_by": "Diubah oleh",
+ "code_format": "Format kode",
"members": "Anggota",
- "known_hosts": "Daftar opsional host yang diketahui jika penemuan mDNS tidak berfungsi.",
- "google_cast_configuration": "Konfigurasi Google Cast",
- "confirm_description": "Ingin menyiapkan {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Akun sudah dikonfigurasi",
- "abort_already_in_progress": "Alur konfigurasi sedang berlangsung",
- "failed_to_connect": "Gagal terhubung",
- "invalid_access_token": "Token akses tidak valid",
- "invalid_authentication": "Autentikasi tidak valid",
- "received_invalid_token_data": "Menerima respons token yang tidak valid.",
- "abort_oauth_failed": "Terjadi kesalahan saat mendapatkan token akses.",
- "timeout_resolving_oauth_token": "Tenggang waktu penyelesaian token OAuth habis.",
- "abort_oauth_unauthorized": "Kesalahan otorisasi OAuth saat mendapatkan token akses.",
- "re_authentication_was_successful": "Autentikasi ulang berhasil",
- "unexpected_error": "Kesalahan tak terduga",
- "successfully_authenticated": "Berhasil diautentikasi",
- "link_fitbit": "Tautkan Fitbit",
- "pick_authentication_method": "Pilih metode autentikasi",
- "authentication_expired_for_name": "Autentikasi ulang integrasi untuk {name}",
+ "listening": "Listening",
+ "processing": "Memroses",
+ "responding": "Menanggapi",
+ "id": "ID",
+ "max_running_automations": "Jumlah maksimal otomasi yang berjalan",
+ "fan_only": "Kipas saja",
+ "heat_cool": "Panas/dingin",
+ "aux_heat": "Pemanasan tambahan",
+ "current_humidity": "Kelembapan saat ini",
+ "current_temperature": "Current Temperature",
+ "diffuse": "Membaur",
+ "top": "Atas",
+ "current_action": "Aksi saat ini",
+ "cooling": "Mendinginkan",
+ "defrosting": "Defrosting",
+ "drying": "Mengeringkan",
+ "heating": "Memanaskan",
+ "preheating": "Pemanasan awal",
+ "max_target_humidity": "Target kelembapan maksimum",
+ "max_target_temperature": "Target suhu maksimum",
+ "min_target_humidity": "Target kelembapan minimum",
+ "min_target_temperature": "Target suhu minimum",
+ "boost": "Kencang",
+ "comfort": "Nyaman",
+ "eco": "Eco",
+ "sleep": "Tidur",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "both": "Keduanya",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Langkah target suhu",
+ "stopped": "Terhenti",
+ "garage": "Garasi",
+ "not_charging": "Tidak mengisi daya",
+ "disconnected": "Terputus",
+ "connected": "Terhubung",
+ "no_light": "Tidak ada cahaya",
+ "light_detected": "Cahaya terdeteksi",
+ "not_moving": "Tidak bergerak",
+ "unplugged": "Dicabut",
+ "not_running": "Tidak berjalan",
+ "safe": "Aman",
+ "unsafe": "Tidak aman",
+ "tampering_detected": "Tamper terdeteksi",
+ "buffering": "Buffering",
+ "playing": "Memutar",
+ "app_id": "ID Aplikasi",
+ "local_accessible_entity_picture": "Gambar entitas yang dapat diakses lokal",
+ "group_members": "Kelompokkan anggota",
+ "muted": "Dibisukan",
+ "album_artist": "Artis Album",
+ "content_id": "ID konten",
+ "content_type": "Jenis konten",
+ "position_updated": "Posisi diperbarui",
+ "series": "Serial",
+ "all": "Semua",
+ "available_sound_modes": "Mode suara yang tersedia",
+ "available_sources": "Sumber yang tersedia",
+ "receiver": "Penerima",
+ "speaker": "Speaker",
+ "tv": "TV",
+ "end_time": "End time",
+ "start_time": "Start time",
+ "event_type": "Jenis peristiwa",
+ "doorbell": "Bel pintu",
+ "armed_away": "Diaktifkan untuk keluar",
+ "armed_home": "Diaktifkan untuk di rumah",
+ "armed_night": "Diaktifkan untuk malam",
+ "armed_vacation": "Diaktifkan untuk liburan",
+ "disarming": "Sedang dinonaktifkan",
+ "triggered": "Terpicu",
+ "code_for_arming": "Kode untuk mengaktifkan",
+ "not_required": "Tidak dibutuhkan",
+ "finishes_at": "Selesai pada",
+ "remaining": "Sisa",
+ "restore": "Pulihkan",
"device_is_already_configured": "Perangkat sudah dikonfigurasi",
+ "failed_to_connect": "Gagal terhubung",
"abort_no_devices_found": "Tidak ada perangkat yang ditemukan di jaringan",
- "re_configuration_was_successful": "Re-configuration was successful",
+ "re_authentication_was_successful": "Autentikasi ulang berhasil",
+ "re_configuration_was_successful": "Konfigurasi ulang berhasil",
"connection_error_error": "Kesalahan koneksi: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
"camera_stream_authentication_failed": "Camera stream authentication failed",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "Enable camera live view",
- "username": "Nama Pengguna",
+ "username": "Username",
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Autentikasi",
+ "authentication_expired_for_name": "Autentikasi ulang integrasi untuk {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Sudah dikonfigurasi. Hanya satu konfigurasi yang diizinkan.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Ingin memulai penyiapan?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Jenis Switchbot yang tidak didukung.",
+ "unexpected_error": "Kesalahan tak terduga",
+ "authentication_failed_error_detail": "Autentikasi gagal: {error_detail}",
+ "error_encryption_key_invalid": "ID Kunci atau Kunci enkripsi tidak valid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Ingin menyiapkan {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Kunci enkripsi",
+ "key_id": "Key ID",
+ "password_description": "Kata sandi untuk melindungi cadangan.",
+ "mac_address": "Alamat MAC",
"service_is_already_configured": "Layanan sudah dikonfigurasi",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Nama Kalender",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Alur konfigurasi sedang berlangsung",
"abort_invalid_host": "Nama host atau alamat IP tidak valid",
"device_not_supported": "Perangkat tidak didukung",
+ "invalid_authentication": "Autentikasi tidak valid",
"name_model_at_host": "{name} ({model} di {host})",
"authenticate_to_the_device": "Autentikasi ke perangkat",
"finish_title": "Pilih nama untuk perangkat",
@@ -2222,22 +2442,143 @@
"yes_do_it": "Ya, lakukan.",
"unlock_the_device_optional": "Buka kunci perangkat (opsional)",
"connect_to_the_device": "Hubungkan ke perangkat",
- "abort_missing_credentials": "Integrasi memerlukan kredensial aplikasi.",
- "timeout_establishing_connection": "Tenggang waktu pembuatan koneksi habis",
- "link_google_account": "Tautkan Akun Google",
- "path_is_not_allowed": "Jalur tidak diperbolehkan",
- "path_is_not_valid": "Jalur tidak valid",
- "path_to_file": "Jalur ke file",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Akun sudah dikonfigurasi",
+ "invalid_access_token": "Token akses tidak valid",
+ "received_invalid_token_data": "Menerima respons token yang tidak valid.",
+ "abort_oauth_failed": "Terjadi kesalahan saat mendapatkan token akses.",
+ "timeout_resolving_oauth_token": "Tenggang waktu penyelesaian token OAuth habis.",
+ "abort_oauth_unauthorized": "Kesalahan otorisasi OAuth saat mendapatkan token akses.",
+ "successfully_authenticated": "Berhasil diautentikasi",
+ "link_fitbit": "Tautkan Fitbit",
+ "pick_authentication_method": "Pilih metode autentikasi",
+ "two_factor_code": "Kode autentikasi dua faktor",
+ "two_factor_authentication": "Autentikasi dua faktor",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Masuk dengan akun Ring",
+ "abort_alternative_integration": "Perangkat dapat didukung lebih baik lewat integrasi lainnya",
+ "abort_incomplete_config": "Konfigurasi tidak memiliki variabel yang diperlukan",
+ "manual_description": "URL ke file XML deskripsi perangkat",
+ "manual_title": "Koneksi perangkat DLNA DMR manual",
+ "discovered_dlna_dmr_devices": "Perangkat DLNA DMR yang ditemukan",
+ "broadcast_address": "Alamat broadcast",
+ "broadcast_port": "Port broadcast",
+ "abort_addon_info_failed": "Gagal mendapatkan info untuk add-on {addon} .",
+ "abort_addon_install_failed": "Gagal menginstal add-on {addon}.",
+ "abort_addon_start_failed": "Gagal memulai add-on {addon}.",
+ "invalid_birth_topic": "Topik birth tidak valid",
+ "error_bad_certificate": "Sertifikat CA tidak valid",
+ "invalid_discovery_prefix": "Prefiks topik penemuan tidak valid",
+ "invalid_will_topic": "Topik will tidak valid",
+ "broker": "Broker",
+ "data_certificate": "Unggah file sertifikat CA khusus",
+ "upload_client_certificate_file": "Unggah file sertifikat klien",
+ "upload_private_key_file": "Unggah file kunci pribadi",
+ "data_keepalive": "Waktu antara mengirim pesan tetap hidup",
+ "port": "Port",
+ "mqtt_protocol": "Protokol MQTT",
+ "broker_certificate_validation": "Validasi sertifikat broker",
+ "use_a_client_certificate": "Gunakan sertifikat klien",
+ "ignore_broker_certificate_validation": "Abaikan validasi sertifikat broker",
+ "mqtt_transport": "Transportasi MQTT",
+ "data_ws_headers": "Header WebSocket dalam format JSON",
+ "websocket_path": "Jalur WebSocket",
+ "hassio_confirm_title": "Gateway Zigbee deCONZ melalui add-on Home Assistant",
+ "installing_add_on": "Menginstal add-on",
+ "reauth_confirm_title": "Diperlukan autentikasi ulang dengan broker MQTT",
+ "starting_add_on": "Memulai add-on",
+ "menu_options_addon": "Gunakan add-on resmi {addon}.",
+ "menu_options_broker": "Masukkan detail koneksi broker MQTT secara manual",
"api_key": "Kunci API",
"configure_daikin_ac": "Konfigurasi AC Daikin",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
+ "cannot_connect_details_error_detail": "Tidak dapat terhubung. Detail: {error_detail}",
+ "unknown_details_error_detail": "Tidak dikenal. Detail: {error_detail}",
+ "uses_an_ssl_certificate": "Menggunakan sertifikat SSL",
+ "verify_ssl_certificate": "Verifikasi sertifikat SSL",
"name_manufacturer_model": "{name} {manufacturer} {model}",
"adapter": "Adaptor",
"multiple_adapters_description": "Pilih adaptor Bluetooth untuk disiapkan",
+ "api_error_occurred": "Terjadi kesalahan API",
+ "hostname_ip_address": "{hostname} ({ip_address})",
+ "enable_https": "Aktifkan HTTPS",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
+ "meteorologisk_institutt": "Meteorologisk institutt",
+ "timeout_establishing_connection": "Tenggang waktu pembuatan koneksi habis",
+ "link_google_account": "Tautkan Akun Google",
+ "path_is_not_allowed": "Jalur tidak diperbolehkan",
+ "path_is_not_valid": "Jalur tidak valid",
+ "path_to_file": "Jalur ke file",
+ "pin_code": "Kode PIN",
+ "discovered_android_tv": "Android TV yang Ditemukan",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "all_entities": "Semua entitas",
+ "hide_members": "Sembunyikan anggota",
+ "create_group": "Create Group",
+ "device_class": "Device Class",
+ "ignore_non_numeric": "Abaikan non-numerik",
+ "data_round_digits": "Bulatkan nilai ke bilangan desimal",
+ "type": "Tipe",
+ "binary_sensor_group": "Grup sensor biner",
+ "button_group": "Button group",
+ "cover_group": "Grup penutup",
+ "event_group": "Grup peristiwa",
+ "lock_group": "Grup kunci",
+ "media_player_group": "Grup pemutar media",
+ "notify_group": "Notify group",
+ "sensor_group": "Grup sensor",
+ "switch_group": "Grup sakelar",
+ "known_hosts": "Daftar opsional host yang diketahui jika penemuan mDNS tidak berfungsi.",
+ "google_cast_configuration": "Konfigurasi Google Cast",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Alamat MAC tidak ada dalam properti MDNS.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Aksi diterima",
+ "discovered_esphome_node": "Perangkat node ESPHome yang ditemukan",
+ "bridge_is_already_configured": "Bridge sudah dikonfigurasi",
+ "no_deconz_bridges_discovered": "deCONZ bridge tidak ditemukan",
+ "abort_no_hardware_available": "Tidak ada perangkat keras radio yang terhubung ke deCONZ",
+ "abort_updated_instance": "Instans deCONZ yang diperbarui dengan alamat host baru",
+ "error_linking_not_possible": "Tidak dapat terhubung dengan gateway",
+ "error_no_key": "Tidak bisa mendapatkan kunci API",
+ "link_with_deconz": "Tautkan dengan deCONZ",
+ "select_discovered_deconz_gateway": "Pilih gateway deCONZ yang ditemukan",
+ "abort_missing_credentials": "Integrasi memerlukan kredensial aplikasi.",
+ "no_port_for_endpoint": "Tidak ada port untuk titik akhir",
+ "abort_no_services": "Tidak ada layanan yang ditemukan di titik akhir",
+ "discovered_wyoming_service": "Layanan Wyoming yang ditemukan",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Perangkat Gen1 tidak mendukung port khusus.",
"arm_away_action": "Aksi pengaktifan ke luar rumah",
"arm_custom_bypass_action": "Aksi pengaktifan secara khusus",
"arm_home_action": "Aksi pengaktifan di rumah",
@@ -2248,12 +2589,10 @@
"trigger_action": "Aksi pemicu",
"value_template": "Nilai templat",
"template_alarm_control_panel": "Kontrol panel alarm templat",
- "device_class": "Kelas perangkat",
"state_template": "Templat untuk status",
"template_binary_sensor": "Templat untuk sensor biner",
"actions_on_press": "Aksi saat ditekan",
"template_button": "Templat untuk tombol",
- "verify_ssl_certificate": "Verifikasi sertifikat SSL",
"template_image": "Templat untuk gambar",
"actions_on_set_value": "Aksi pada peristiwa nilai ditetapkan",
"step_value": "Nilai langkah",
@@ -2268,114 +2607,130 @@
"template_an_image": "Template an image",
"template_a_switch": "Templat untuk saklar",
"template_helper": "Pembantu templat",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
- "abort_addon_info_failed": "Gagal mendapatkan info untuk add-on {addon} .",
- "abort_addon_install_failed": "Gagal menginstal add-on {addon}.",
- "abort_addon_start_failed": "Gagal memulai add-on {addon}.",
- "invalid_birth_topic": "Topik birth tidak valid",
- "error_bad_certificate": "Sertifikat CA tidak valid",
- "invalid_discovery_prefix": "Prefiks topik penemuan tidak valid",
- "invalid_will_topic": "Topik will tidak valid",
- "broker": "Broker",
- "data_certificate": "Unggah file sertifikat CA khusus",
- "upload_client_certificate_file": "Unggah file sertifikat klien",
- "upload_private_key_file": "Unggah file kunci pribadi",
- "data_keepalive": "Waktu antara mengirim pesan tetap hidup",
- "port": "Port",
- "mqtt_protocol": "Protokol MQTT",
- "broker_certificate_validation": "Validasi sertifikat broker",
- "use_a_client_certificate": "Gunakan sertifikat klien",
- "ignore_broker_certificate_validation": "Abaikan validasi sertifikat broker",
- "mqtt_transport": "Transportasi MQTT",
- "data_ws_headers": "Header WebSocket dalam format JSON",
- "websocket_path": "Jalur WebSocket",
- "hassio_confirm_title": "Gateway Zigbee deCONZ melalui add-on Home Assistant",
- "installing_add_on": "Menginstal add-on",
- "reauth_confirm_title": "Diperlukan autentikasi ulang dengan broker MQTT",
- "starting_add_on": "Memulai add-on",
- "menu_options_addon": "Gunakan add-on resmi {addon}.",
- "menu_options_broker": "Masukkan detail koneksi broker MQTT secara manual",
- "bridge_is_already_configured": "Bridge sudah dikonfigurasi",
- "no_deconz_bridges_discovered": "deCONZ bridge tidak ditemukan",
- "abort_no_hardware_available": "Tidak ada perangkat keras radio yang terhubung ke deCONZ",
- "abort_updated_instance": "Instans deCONZ yang diperbarui dengan alamat host baru",
- "error_linking_not_possible": "Tidak dapat terhubung dengan gateway",
- "error_no_key": "Tidak bisa mendapatkan kunci API",
- "link_with_deconz": "Tautkan dengan deCONZ",
- "select_discovered_deconz_gateway": "Pilih gateway deCONZ yang ditemukan",
- "pin_code": "Kode PIN",
- "discovered_android_tv": "Android TV yang Ditemukan",
- "abort_mdns_missing_mac": "Alamat MAC tidak ada dalam properti MDNS.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Aksi diterima",
- "discovered_esphome_node": "Perangkat node ESPHome yang ditemukan",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "Tidak ada port untuk titik akhir",
- "abort_no_services": "Tidak ada layanan yang ditemukan di titik akhir",
- "discovered_wyoming_service": "Layanan Wyoming yang ditemukan",
- "abort_alternative_integration": "Perangkat dapat didukung lebih baik lewat integrasi lainnya",
- "abort_incomplete_config": "Konfigurasi tidak memiliki variabel yang diperlukan",
- "manual_description": "URL ke file XML deskripsi perangkat",
- "manual_title": "Koneksi perangkat DLNA DMR manual",
- "discovered_dlna_dmr_devices": "Perangkat DLNA DMR yang ditemukan",
- "api_error_occurred": "Terjadi kesalahan API",
- "hostname_ip_address": "{hostname} ({ip_address})",
- "enable_https": "Aktifkan HTTPS",
- "broadcast_address": "Alamat broadcast",
- "broadcast_port": "Port broadcast",
- "mac_address": "Alamat MAC",
- "meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Perangkat Gen1 tidak mendukung port khusus.",
- "two_factor_code": "Kode autentikasi dua faktor",
- "two_factor_authentication": "Autentikasi dua faktor",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Masuk dengan akun Ring",
- "all_entities": "Semua entitas",
- "hide_members": "Sembunyikan anggota",
- "create_group": "Create Group",
- "ignore_non_numeric": "Abaikan non-numerik",
- "data_round_digits": "Bulatkan nilai ke bilangan desimal",
- "type": "Tipe",
- "binary_sensor_group": "Grup sensor biner",
- "button_group": "Button group",
- "cover_group": "Grup penutup",
- "event_group": "Grup peristiwa",
- "fan_group": "Grup kipas",
- "light_group": "Grup lampu",
- "lock_group": "Grup kunci",
- "media_player_group": "Grup pemutar media",
- "notify_group": "Notify group",
- "sensor_group": "Grup sensor",
- "switch_group": "Grup sakelar",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Jenis Switchbot yang tidak didukung.",
- "authentication_failed_error_detail": "Autentikasi gagal: {error_detail}",
- "error_encryption_key_invalid": "ID Kunci atau Kunci enkripsi tidak valid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Kata sandi untuk melindungi cadangan.",
- "device_address": "Alamat perangkat",
- "cannot_connect_details_error_detail": "Tidak dapat terhubung. Detail: {error_detail}",
- "unknown_details_error_detail": "Tidak dikenal. Detail: {error_detail}",
- "uses_an_ssl_certificate": "Menggunakan sertifikat SSL",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "Perangkat ini bukan perangkat zha",
+ "abort_usb_probe_failed": "Gagal mendeteksi perangkat usb",
+ "invalid_backup_json": "JSON cadangan tidak valid",
+ "choose_an_automatic_backup": "Pilih cadangan otomatis",
+ "restore_automatic_backup": "Pulihkan Cadangan Otomatis",
+ "choose_formation_strategy_description": "Pilih pengaturan jaringan untuk radio Anda.",
+ "restore_an_automatic_backup": "Pulihkan cadangan otomatis",
+ "create_a_network": "Buat jaringan",
+ "keep_radio_network_settings": "Pertahankan pengaturan jaringan radio",
+ "upload_a_manual_backup": "Unggah Cadangan Manual",
+ "network_formation": "Formasi Jaringan",
+ "serial_device_path": "Jalur perangkat serial",
+ "select_a_serial_port": "Pilih Port Serial",
+ "radio_type": "Jenis Radio",
+ "manual_pick_radio_type_description": "Pilih jenis radio Zigbee Anda",
+ "port_speed": "Kecepatan port",
+ "data_flow_control": "Kontrol data flow",
+ "manual_port_config_description": "Masukkan pengaturan port serial",
+ "serial_port_settings": "Pengaturan Port Serial",
+ "data_overwrite_coordinator_ieee": "Ganti alamat radio IEEE secara permanen",
+ "overwrite_radio_ieee_address": "Timpa Alamat IEEE Radio",
+ "upload_a_file": "Unggah file",
+ "radio_is_not_recommended": "Radio tidak disarankan",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Nama Kalender",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Kode diperlukan untuk tindakan pengaktifkan alarm",
+ "zha_alarm_options_alarm_master_code": "Kode master untuk panel kontrol alarm",
+ "alarm_control_panel_options": "Opsi Panel Kontrol Alarm",
+ "zha_options_consider_unavailable_battery": "Anggap perangkat bertenaga baterai sebagai tidak tersedia setelah (detik)",
+ "zha_options_consider_unavailable_mains": "Anggap perangkat bertenaga listrik sebagai tidak tersedia setelah (detik)",
+ "zha_options_default_light_transition": "Waktu transisi lampu default (detik)",
+ "zha_options_group_members_assume_state": "Anggota kelompok mengasumsikan status grup",
+ "zha_options_light_transitioning_flag": "Aktifkan penggeser kecerahan yang lebih canggih pada waktu transisi lampu",
+ "global_options": "Opsi Global",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Jumlah percobaan",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "URL tidak valid",
+ "data_browse_unfiltered": "Tampilkan media yang tidak kompatibel saat menjelajah",
+ "event_listener_callback_url": "URL panggilan balik pendengar peristiwa",
+ "data_listen_port": "Port pendengar peristiwa (acak jika tidak diatur)",
+ "poll_for_device_availability": "Polling untuk ketersediaan perangkat",
+ "init_title": "Konfigurasi Digital Media Renderer DLNA",
+ "broker_options": "Opsi broker",
+ "enable_birth_message": "Aktifkan pesan 'birth'",
+ "birth_message_payload": "Payload pesan birth",
+ "birth_message_qos": "QoS pesan birth",
+ "birth_message_retain": "Simpan pesan birth",
+ "birth_message_topic": "Topik pesan birth",
+ "enable_discovery": "Aktifkan penemuan",
+ "discovery_prefix": "Prefiks penemuan",
+ "enable_will_message": "Aktifkan pesan 'will'",
+ "will_message_payload": "Payload pesan will",
+ "will_message_qos": "QoS pesan will",
+ "will_message_retain": "Simpan pesan will",
+ "will_message_topic": "Topik pesan will",
+ "data_description_discovery": "Opsi untuk mengaktifkan penemuan otomatis MQTT.",
+ "mqtt_options": "Opsi MQTT",
+ "passive_scanning": "Memindai secara pasif",
+ "protocol": "Protokol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Kode bahasa",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "data_app_delete": "Check to delete this application",
+ "application_icon": "Application icon",
+ "application_id": "Application ID",
+ "application_name": "Application name",
+ "configure_application_id_app_id": "Configure application ID {app_id}",
+ "configure_android_apps": "Configure Android apps",
+ "configure_applications_list": "Configure applications list",
"ignore_cec": "Abaikan CEC",
"allowed_uuids": "UUID yang diizinkan",
"advanced_google_cast_configuration": "Konfigurasi Google Cast tingkat lanjut",
+ "allow_deconz_clip_sensors": "Izinkan sensor CLIP deCONZ",
+ "allow_deconz_light_groups": "Izinkan grup lampu deCONZ",
+ "data_allow_new_devices": "Izinkan penambahan otomatis perangkat baru",
+ "deconz_devices_description": "Konfigurasikan visibilitas jenis perangkat deCONZ",
+ "deconz_options": "Opsi deCONZ",
+ "select_test_server": "Pilih server uji",
+ "data_calendar_access": "Akses Home Assistant ke Google Kalender",
+ "bluetooth_scanner_mode": "Mode pemindai Bluetooth",
"device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
"not_supported": "Not Supported",
"localtuya_configuration": "LocalTuya Configuration",
@@ -2392,10 +2747,9 @@
"data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
"data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
"data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
"configure_tuya_device": "Configure Tuya device",
"configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "ID Perangkat",
+ "device_id": "Device ID",
"local_key": "Local key",
"protocol_version": "Protocol Version",
"data_entities": "Entities (uncheck an entity to remove it)",
@@ -2464,93 +2818,13 @@
"enable_heuristic_action_optional": "Enable heuristic action (optional)",
"data_dps_default_value": "Default value when un-initialised (optional)",
"minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Akses Home Assistant ke Google Kalender",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Memindai secara pasif",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Opsi broker",
- "enable_birth_message": "Aktifkan pesan 'birth'",
- "birth_message_payload": "Payload pesan birth",
- "birth_message_qos": "QoS pesan birth",
- "birth_message_retain": "Simpan pesan birth",
- "birth_message_topic": "Topik pesan birth",
- "enable_discovery": "Aktifkan penemuan",
- "discovery_prefix": "Prefiks penemuan",
- "enable_will_message": "Aktifkan pesan 'will'",
- "will_message_payload": "Payload pesan will",
- "will_message_qos": "QoS pesan will",
- "will_message_retain": "Simpan pesan will",
- "will_message_topic": "Topik pesan will",
- "data_description_discovery": "Opsi untuk mengaktifkan penemuan otomatis MQTT.",
- "mqtt_options": "Opsi MQTT",
"data_allow_nameless_uuids": "UUID yang saat ini diizinkan. Hapus centang untuk menghapus",
"data_new_uuid": "Masukkan UUID baru yang diizinkan",
- "allow_deconz_clip_sensors": "Izinkan sensor CLIP deCONZ",
- "allow_deconz_light_groups": "Izinkan grup lampu deCONZ",
- "data_allow_new_devices": "Izinkan penambahan otomatis perangkat baru",
- "deconz_devices_description": "Konfigurasikan visibilitas jenis perangkat deCONZ",
- "deconz_options": "Opsi deCONZ",
- "data_app_delete": "Check to delete this application",
- "application_icon": "Application icon",
- "application_id": "Application ID",
- "application_name": "Application name",
- "configure_application_id_app_id": "Configure application ID {app_id}",
- "configure_android_apps": "Configure Android apps",
- "configure_applications_list": "Configure applications list",
- "invalid_url": "URL tidak valid",
- "data_browse_unfiltered": "Tampilkan media yang tidak kompatibel saat menjelajah",
- "event_listener_callback_url": "URL panggilan balik pendengar peristiwa",
- "data_listen_port": "Port pendengar peristiwa (acak jika tidak diatur)",
- "poll_for_device_availability": "Polling untuk ketersediaan perangkat",
- "init_title": "Konfigurasi Digital Media Renderer DLNA",
- "protocol": "Protokol",
- "language_code": "Kode bahasa",
- "bluetooth_scanner_mode": "Mode pemindai Bluetooth",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Jumlah percobaan",
- "select_test_server": "Pilih server uji",
- "toggle_entity_name": "Nyala/matikan {entity_name}",
- "turn_off_entity_name": "Matikan {entity_name}",
- "turn_on_entity_name": "Nyalakan {entity_name}",
- "entity_name_is_off": "{entity_name} mati",
- "entity_name_is_on": "{entity_name} nyala",
- "trigger_type_changed_states": "{entity_name} dinyalakan atau dimatikan",
- "entity_name_turned_off": "{entity_name} dimatikan",
- "entity_name_turned_on": "{entity_name} dinyalakan",
+ "reconfigure_zha": "Konfigurasi Ulang ZHA",
+ "unplug_your_old_radio": "Cabut radio lama Anda",
+ "intent_migrate_title": "Migrasikan ke radio baru",
+ "re_configure_the_current_radio": "Mengkonfigurasi ulang radio yang sekarang",
+ "migrate_or_re_configure": "Migrasi atau konfigurasi ulang",
"current_entity_name_apparent_power": "Daya nyata {entity_name}",
"condition_type_is_aqi": "Indeks kualitas udara {entity_name} saat ini",
"current_entity_name_area": "Area {entity_name} saat ini",
@@ -2645,14 +2919,75 @@
"entity_name_water_changes": "Perubahan air {entity_name}",
"entity_name_weight_changes": "Perubahan berat {entity_name}",
"entity_name_wind_speed_changes": "Perubahan kecepatan angin {entity_name}",
+ "decrease_entity_name_brightness": "Kurangi kecerahan {entity_name}",
+ "increase_entity_name_brightness": "Tingkatkan kecerahan {entity_name}",
+ "flash_entity_name": "Lampu kilat {entity_name}",
+ "toggle_entity_name": "Nyala/matikan {entity_name}",
+ "turn_off_entity_name": "Matikan {entity_name}",
+ "turn_on_entity_name": "Nyalakan {entity_name}",
+ "entity_name_is_off": "{entity_name} mati",
+ "entity_name_is_on": "{entity_name} nyala",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} dinyalakan atau dimatikan",
+ "entity_name_turned_off": "{entity_name} dimatikan",
+ "entity_name_turned_on": "{entity_name} dinyalakan",
+ "set_value_for_entity_name": "Tetapkan nilai untuk {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "Ketersediaan pembaruan {entity_name} berubah",
+ "entity_name_became_up_to_date": "{entity_name} menjadi yang terbaru",
+ "trigger_type_turned_on": "Tersedia pembaruan untuk {entity_name}",
+ "first_button": "Tombol pertama",
+ "second_button": "Tombol kedua",
+ "third_button": "Tombol ketiga",
+ "fourth_button": "Tombol keempat",
+ "fifth_button": "Tombol kelima",
+ "sixth_button": "Tombol keenam",
+ "subtype_double_clicked": "\"{subtype}\" diklik dua kali",
+ "subtype_continuously_pressed": "\"{subtype}\" terus ditekan",
+ "trigger_type_button_long_release": "\"{subtype}\" dilepaskan setelah ditekan lama",
+ "subtype_quadruple_clicked": "\"{subtype}\" diklik empat kali",
+ "subtype_quintuple_clicked": "\"{subtype}\" diklik lima kali",
+ "subtype_pressed": "\"{subtype}\" ditekan",
+ "subtype_released": "\"{subtype}\" dilepaskan",
+ "subtype_triple_clicked": "\"{subtype}\" diklik tiga kali",
+ "entity_name_is_home": "{entity_name} ada di rumah",
+ "entity_name_is_not_home": "{entity_name} tidak ada di rumah",
+ "entity_name_enters_a_zone": "{entity_name} memasuki zona",
+ "entity_name_leaves_a_zone": "{entity_name} meninggalkan zona",
+ "press_entity_name_button": "Tekan tombol {entity_name}",
+ "entity_name_has_been_pressed": "{entity_name} telah ditekan",
+ "let_entity_name_clean": "Perintahkan {entity_name} untuk bersih-bersih",
+ "action_type_dock": "Kembalikan {entity_name} ke dok",
+ "entity_name_is_cleaning": "{entity_name} sedang membersihkan",
+ "entity_name_is_docked": "{entity_name} berlabuh di dok",
+ "entity_name_started_cleaning": "{entity_name} mulai membersihkan",
+ "entity_name_docked": "{entity_name} berlabuh",
+ "send_a_notification": "Kirim notifikasi",
+ "lock_entity_name": "Kunci {entity_name}",
+ "open_entity_name": "Buka {entity_name}",
+ "unlock_entity_name": "Buka kunci {entity_name}",
+ "entity_name_locked": "{entity_name} terkunci",
+ "entity_name_opened": "{entity_name} terbuka",
+ "entity_name_unlocked": "{entity_name} tidak terkunci",
"action_type_set_hvac_mode": "Ubah mode HVAC di {entity_name}",
"change_preset_on_entity_name": "Ubah prasetel di {entity_name}",
"to": "Menjadi",
"entity_name_measured_humidity_changed": "Kelembapan terukur {entity_name} berubah",
"entity_name_measured_temperature_changed": "Suhu terukur {entity_name} berubah",
"entity_name_hvac_mode_changed": "Mode HVAC {entity_name} berubah",
- "set_value_for_entity_name": "Tetapkan nilai untuk {entity_name}",
- "value": "Value",
+ "close_entity_name": "Tutup {entity_name}",
+ "close_entity_name_tilt": "Tutup miring {entity_name}",
+ "open_entity_name_tilt": "Buka miring {entity_name}",
+ "set_entity_name_position": "Tetapkan posisi {entity_name}",
+ "set_entity_name_tilt_position": "Setel posisi miring {entity_name}",
+ "stop_entity_name": "Hentikan {entity_name}",
+ "entity_name_closed": "{entity_name} tertutup",
+ "entity_name_closing": "{entity_name} menutup",
+ "entity_name_opening": "{entity_name} membuka",
+ "current_entity_name_position_is": "Posisi {entity_name} saat ini adalah",
+ "condition_type_is_tilt_position": "Posisi miring {entity_name} saat ini adalah",
+ "entity_name_position_changes": "Perubahan posisi {entity_name}",
+ "entity_name_tilt_position_changes": "Perubahan posisi kemiringan {entity_name}",
"entity_name_battery_low": "Baterai {entity_name} hampir habis",
"entity_name_charging": "{entity_name} sedang mengisi daya",
"condition_type_is_co": "{entity_name} mendeteksi karbon monoksida",
@@ -2661,7 +2996,6 @@
"entity_name_is_detecting_gas": "{entity_name} mendeteksi gas",
"entity_name_is_hot": "{entity_name} panas",
"entity_name_is_detecting_light": "{entity_name} mendeteksi cahaya",
- "entity_name_locked": "{entity_name} terkunci",
"entity_name_is_moist": "{entity_name} lembab",
"entity_name_is_detecting_motion": "{entity_name} mendeteksi gerakan",
"entity_name_is_moving": "{entity_name} bergerak",
@@ -2679,11 +3013,9 @@
"entity_name_is_not_cold": "{entity_name} tidak dingin",
"entity_name_disconnected": "{entity_name} terputus",
"entity_name_is_not_hot": "{entity_name} tidak panas",
- "entity_name_unlocked": "{entity_name} tidak terkunci",
"entity_name_is_dry": "{entity_name} kering",
"entity_name_is_not_moving": "{entity_name} tidak bergerak",
"entity_name_is_not_occupied": "{entity_name} tidak ditempati",
- "entity_name_closed": "{entity_name} tertutup",
"entity_name_unplugged": "{entity_name} dicabut",
"entity_name_not_powered": "{entity_name} tidak ditenagai",
"entity_name_not_present": "{entity_name} tidak ada",
@@ -2691,7 +3023,6 @@
"condition_type_is_not_tampered": "{entity_name} tidak mendeteksi gangguan",
"entity_name_is_safe": "{entity_name} aman",
"entity_name_is_occupied": "{entity_name} ditempati",
- "entity_name_is_open": "{entity_name} terbuka",
"entity_name_plugged_in": "{entity_name} dicolokkan",
"entity_name_powered": "{entity_name} ditenagai",
"entity_name_present": "{entity_name} ada",
@@ -2718,7 +3049,6 @@
"entity_name_stopped_detecting_problem": "{entity_name} berhenti mendeteksi masalah",
"entity_name_stopped_detecting_smoke": "{entity_name} berhenti mendeteksi asap",
"entity_name_stopped_detecting_sound": "{entity_name} berhenti mendeteksi suara",
- "entity_name_became_up_to_date": "{entity_name} menjadi yang terbaru",
"entity_name_stopped_detecting_vibration": "{entity_name} berhenti mendeteksi getaran",
"entity_name_became_not_cold": "{entity_name} menjadi tidak dingin",
"entity_name_became_not_hot": "{entity_name} menjadi tidak panas",
@@ -2729,7 +3059,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} berhenti mendeteksi gangguan",
"entity_name_became_safe": "{entity_name} menjadi aman",
"entity_name_became_occupied": "{entity_name} menjadi ditempati",
- "entity_name_opened": "{entity_name} telah dibuka",
"entity_name_started_detecting_problem": "{entity_name} mulai mendeteksi masalah",
"entity_name_started_running": "{entity_name} mulai berjalan",
"entity_name_started_detecting_smoke": "{entity_name} mulai mendeteksi asap",
@@ -2745,30 +3074,6 @@
"entity_name_starts_buffering": "{entity_name} mulai buffering",
"entity_name_becomes_idle": "{entity_name} menjadi siaga",
"entity_name_starts_playing": "{entity_name} mulai memutar",
- "entity_name_is_home": "{entity_name} ada di rumah",
- "entity_name_is_not_home": "{entity_name} tidak ada di rumah",
- "entity_name_enters_a_zone": "{entity_name} memasuki zona",
- "entity_name_leaves_a_zone": "{entity_name} meninggalkan zona",
- "decrease_entity_name_brightness": "Kurangi kecerahan {entity_name}",
- "increase_entity_name_brightness": "Tingkatkan kecerahan {entity_name}",
- "flash_entity_name": "Lampu kilat {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "Ketersediaan pembaruan {entity_name} berubah",
- "trigger_type_turned_on": "Tersedia pembaruan untuk {entity_name}",
- "arm_entity_name_away": "Aktifkan {entity_name} untuk keluar",
- "arm_entity_name_home": "Aktifkan {entity_name} untuk di rumah",
- "arm_entity_name_night": "Aktifkan {entity_name} untuk malam",
- "arm_entity_name_vacation": "Aktifkan {entity_name} untuk liburan",
- "disarm_entity_name": "Nonaktifkan {entity_name}",
- "trigger_entity_name": "Picu {entity_name}",
- "entity_name_armed_away": "{entity_name} diaktifkan untuk keluar",
- "entity_name_armed_home": "{entity_name} diaktifkan untuk di rumah",
- "entity_name_armed_night": "{entity_name} diaktifkan untuk malam",
- "entity_name_armed_vacation": "{entity_name} diaktifkan untuk liburan",
- "entity_name_disarmed": "{entity_name} dinonaktifkan",
- "entity_name_triggered": "{entity_name} dipicu",
- "press_entity_name_button": "Tekan tombol {entity_name}",
- "entity_name_has_been_pressed": "{entity_name} telah ditekan",
"action_type_select_first": "Ubah {entity_name} ke opsi pertama",
"action_type_select_last": "Ubah {entity_name} ke opsi terakhir",
"action_type_select_next": "Ubah {entity_name} ke opsi berikutnya",
@@ -2778,33 +3083,6 @@
"cycle": "Putaran",
"from": "Dari",
"entity_name_option_changed": "Opsi {entity_name} berubah",
- "close_entity_name": "Tutup {entity_name}",
- "close_entity_name_tilt": "Tutup miring {entity_name}",
- "open_entity_name": "Buka {entity_name}",
- "open_entity_name_tilt": "Buka miring {entity_name}",
- "set_entity_name_position": "Tetapkan posisi {entity_name}",
- "set_entity_name_tilt_position": "Setel posisi miring {entity_name}",
- "stop_entity_name": "Hentikan {entity_name}",
- "entity_name_closing": "{entity_name} menutup",
- "entity_name_opening": "{entity_name} membuka",
- "current_entity_name_position_is": "Posisi {entity_name} saat ini adalah",
- "condition_type_is_tilt_position": "Posisi miring {entity_name} saat ini adalah",
- "entity_name_position_changes": "Perubahan posisi {entity_name}",
- "entity_name_tilt_position_changes": "Perubahan posisi kemiringan {entity_name}",
- "first_button": "Tombol pertama",
- "second_button": "Tombol kedua",
- "third_button": "Tombol ketiga",
- "fourth_button": "Tombol keempat",
- "fifth_button": "Tombol kelima",
- "sixth_button": "Tombol keenam",
- "subtype_double_clicked": "{subtype} diklik dua kali",
- "subtype_continuously_pressed": "\"{subtype}\" terus ditekan",
- "trigger_type_button_long_release": "\"{subtype}\" dilepaskan setelah ditekan lama",
- "subtype_quadruple_clicked": "\"{subtype}\" diklik empat kali",
- "subtype_quintuple_clicked": "\"{subtype}\" diklik lima kali",
- "subtype_pressed": "\"{subtype}\" ditekan",
- "subtype_released": "\"{subtype}\" dilepaskan",
- "subtype_triple_clicked": "{subtype} diklik tiga kali",
"both_buttons": "Kedua tombol",
"bottom_buttons": "Tombol bawah",
"seventh_button": "Tombol ketujuh",
@@ -2829,13 +3107,6 @@
"trigger_type_remote_rotate_from_side": "Perangkat diputar dari \"sisi 6\" ke \"{subtype}\"",
"device_turned_clockwise": "Perangkat diputar searah jarum jam",
"device_turned_counter_clockwise": "Perangkat diputar berlawanan arah jarum jam",
- "send_a_notification": "Kirim notifikasi",
- "let_entity_name_clean": "Perintahkan {entity_name} untuk bersih-bersih",
- "action_type_dock": "Kembalikan {entity_name} ke dok",
- "entity_name_is_cleaning": "{entity_name} sedang membersihkan",
- "entity_name_is_docked": "{entity_name} berlabuh di dok",
- "entity_name_started_cleaning": "{entity_name} mulai membersihkan",
- "entity_name_docked": "{entity_name} berlabuh",
"subtype_button_down": "Tombol \"{subtype}\" ditekan",
"subtype_button_up": "Tombol \"{subtype}\" dilepas",
"subtype_double_push": "Push ganda {subtype}",
@@ -2846,28 +3117,48 @@
"trigger_type_single_long": "{subtype} diklik sekali kemudian diklik lama",
"subtype_single_push": "Push tunggal {subtype}",
"subtype_triple_push": "Push tiga kali {subtype}",
- "lock_entity_name": "Kunci {entity_name}",
- "unlock_entity_name": "Buka kunci {entity_name}",
+ "arm_entity_name_away": "Aktifkan {entity_name} untuk keluar",
+ "arm_entity_name_home": "Aktifkan {entity_name} untuk di rumah",
+ "arm_entity_name_night": "Aktifkan {entity_name} untuk malam",
+ "arm_entity_name_vacation": "Aktifkan {entity_name} untuk liburan",
+ "disarm_entity_name": "Nonaktifkan {entity_name}",
+ "trigger_entity_name": "Picu {entity_name}",
+ "entity_name_armed_away": "{entity_name} diaktifkan untuk keluar",
+ "entity_name_armed_home": "{entity_name} diaktifkan untuk di rumah",
+ "entity_name_armed_night": "{entity_name} diaktifkan untuk malam",
+ "entity_name_armed_vacation": "{entity_name} diaktifkan untuk liburan",
+ "entity_name_disarmed": "{entity_name} dinonaktifkan",
+ "entity_name_triggered": "{entity_name} dipicu",
+ "action_type_issue_all_led_effect": "Terbitkan efek untuk keseluruhan LED",
+ "action_type_issue_individual_led_effect": "Terbitkan efek untuk masing-masing LED",
+ "squawk": "Squawk",
+ "warn": "Peringatkan",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "Diaktifkan dengan wajah 6",
+ "with_any_specified_face_s_activated": "Dengan wajah apa pun/yang ditentukan diaktifkan",
+ "device_dropped": "Perangkat dijatuhkan",
+ "device_flipped_subtype": "Perangkat dibalik \"{subtype}\"",
+ "device_knocked_subtype": "Perangkat diketuk \"{subtype}\"",
+ "device_offline": "Perangkat offline",
+ "device_rotated_subtype": "Perangkat diputar \"{subtype}\"",
+ "device_slid_subtype": "Perangkat diluncurkan \"{subtype}\"",
+ "device_tilted": "Perangkat dimiringkan",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" diklik dua kali (Mode alternatif)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" terus ditekan (Mode alternatif)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" dilepaskan setelah ditekan lama (Mode alternatif)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" diklik empat kali (Mode alternatif)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" diklik lima kali (Mode alternatif)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" ditekan (Mode alternatif)",
+ "subtype_released_alternate_mode": "\"{subtype}\" dilepaskan (Mode alternatif)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" diklik tiga kali (Mode alternatif)",
"add_to_queue": "Tambahkan ke antrean",
"play_next": "Putar berikutnya",
"options_replace": "Putar sekarang dan hapus antrean",
"repeat_all": "Ulangi semuanya",
"repeat_one": "Ulangi sekali",
- "no_code_format": "Tidak ada format kode",
- "no_unit_of_measurement": "Tidak ada satuan pengukuran",
- "critical": "Kritis",
- "debug": "Debug",
- "info": "Info",
- "warning": "Peringatan",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Pasif",
- "arithmetic_mean": "Rata-rata aritmatika",
- "median": "Median",
- "product": "Perkalian",
- "statistical_range": "Rentang statistik",
- "standard_deviation": "Deviasi standar",
- "fatal": "Fatal",
"alice_blue": "Biru alice",
"antique_white": "Putih antik",
"aqua": "Aqua",
@@ -2994,49 +3285,21 @@
"wheat": "Gandum",
"white_smoke": "Putih asap",
"yellow_green": "Kuning hijau",
- "sets_the_value": "Menetapkan nilai.",
- "the_target_value": "Nilai target.",
- "device_description": "ID Perangkat tujuan perintah.",
- "delete_command": "Hapus perintah",
- "alternative": "Alternatif",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Jenis perintah",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Tunda dalam detik",
- "hold_seconds": "Jeda dalam detik",
- "send_command": "Kirim perintah",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Matikan satu atau beberapa lampu.",
- "turn_on_description": "Memulai tugas pembersihan baru.",
- "set_datetime_description": "Menetapkan tanggal dan/atau waktu.",
- "the_target_date": "Tanggal target.",
- "datetime_description": "Tanggal & waktu target.",
- "date_time": "Tanggal & waktu",
- "the_target_time": "Waktu target.",
- "creates_a_new_backup": "Membuat cadangan baru.",
- "apply_description": "Mengaktifkan skenario dengan konfigurasi.",
- "entities_description": "Daftar entitas dan status targetnya.",
- "transition": "Transisi",
- "apply": "Terapkan",
- "creates_a_new_scene": "Membuat skenario baru",
- "scene_id_description": "ID entitas dari skenario baru.",
- "scene_entity_id": "ID entitas skenario",
- "snapshot_entities": "Entitas snapshot",
- "delete_description": "Menghapus skenario yang dibuat secara dinamis.",
- "activates_a_scene": "Mengaktifkan skenario",
- "closes_a_valve": "Menutup katup.",
- "opens_a_valve": "Membuka katup.",
- "set_valve_position_description": "Memindahkan katup ke posisi tertentu.",
- "target_position": "Posisi target.",
- "set_position": "Mengatur posisi",
- "stops_the_valve_movement": "Menghentikan gerakan katup.",
- "toggles_a_valve_open_closed": "Mengalihkan katup terbuka/tertutup.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Kritis",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Peringatan",
+ "passive": "Pasif",
+ "no_code_format": "Tidak ada format kode",
+ "no_unit_of_measurement": "Tidak ada satuan pengukuran",
+ "fatal": "Fatal",
+ "arithmetic_mean": "Rata-rata aritmatika",
+ "median": "Median",
+ "product": "Perkalian",
+ "statistical_range": "Rentang statistik",
+ "standard_deviation": "Deviasi standar",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3053,110 +3316,22 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transisi",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
"sets_a_sequence_effect": "Sets a sequence effect.",
"repetitions_for_continuous": "Repetitions (0 for continuous).",
"repetitions": "Repetitions",
- "sequence": "Sequence",
- "speed_of_spread": "Speed of spread.",
- "spread": "Spread",
- "sequence_effect": "Sequence effect",
- "check_configuration": "Periksa konfigurasi",
- "reload_all": "Muat ulang semuanya",
- "reload_config_entry_description": "Memuat ulang entri konfigurasi yang ditentukan.",
- "config_entry_id": "ID entri konfigurasi",
- "reload_config_entry": "Muat ulang entri konfigurasi",
- "reload_core_config_description": "Memuat ulang konfigurasi inti dari konfigurasi YAML.",
- "reload_core_configuration": "Muat ulang konfigurasi inti",
- "reload_custom_jinja_templates": "Muat ulang templat Jinja2 khusus",
- "restarts_home_assistant": "Memulai ulang Home Assistant.",
- "safe_mode_description": "Menonaktifkan integrasi khusus dan kartu khusus.",
- "save_persistent_states": "Simpan status persisten",
- "set_location_description": "Memperbarui lokasi Home Assistant.",
- "elevation_description": "Ketinggian lokasi Anda dari permukaan laut.",
- "latitude_of_your_location": "Garis lintang lokasi Anda.",
- "longitude_of_your_location": "Garis bujur lokasi Anda.",
- "set_location": "Tetapkan lokasi",
- "stops_home_assistant": "Menghentikan Home Assistant.",
- "generic_toggle": "Sakelar (umum)",
- "generic_turn_off": "Matikan (umum)",
- "generic_turn_on": "Nyalakan (umum)",
- "entity_id_description": "Entitas yang akan dirujuk dalam entri buku catatan.",
- "entities_to_update": "Entitas yang akan diperbarui",
- "update_entity": "Perbarui entitas",
- "turns_auxiliary_heater_on_off": "Menghidupkan/mematikan pemanas tambahan.",
- "aux_heat_description": "Nilai baru pemanas tambahan.",
- "turn_on_off_auxiliary_heater": "Nyalakan/matikan pemanas tambahan",
- "sets_fan_operation_mode": "Menyetel mode operasi kipas",
- "fan_operation_mode": "Mode operasi kipas",
- "set_fan_mode": "Menyetel mode kipas",
- "sets_target_humidity": "Menyetel target kelembapan.",
- "set_target_humidity": "Menyetel target kelembapan",
- "sets_hvac_operation_mode": "Menyetel mode operasi HVAC",
- "hvac_operation_mode": "Mode operasi HVAC",
- "set_hvac_mode": "Menyetel mode HVAC",
- "sets_preset_mode": "Menyetel mode prasetel.",
- "set_preset_mode": "Menyetel mode prasetel",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Menyetel mode operasi ayunan",
- "swing_operation_mode": "Mode operasi ayunan",
- "set_swing_mode": "Set mode ayunan",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Setel suhu target",
- "turns_climate_device_off": "Matikan perangkat AC",
- "turns_climate_device_on": "Nyalakan perangkat AC",
- "decrement_description": "Mengurangi nilai saat ini sebanyak 1 langkah.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Menetapkan nilai bilangan.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Hapus daftar putar",
- "selects_the_next_track": "Memilih trek berikutnya.",
- "pauses": "Jeda.",
- "starts_playing": "Mulai memutar.",
- "toggles_play_pause": "Mengalihkan putar/jeda.",
- "selects_the_previous_track": "Memilih trek sebelumnya.",
- "seek": "Mencari",
- "stops_playing": "Hentikan memutar",
- "starts_playing_specified_media": "Mulai memutar media yang ditentukan.",
- "announce": "Umumkan",
- "enqueue": "Antrean",
- "repeat_mode_to_set": "Mode ulangi untuk ditetapkan.",
- "select_sound_mode_description": "Memilih mode suara tertentu.",
- "select_sound_mode": "Pilih mode suara",
- "select_source": "Pilih sumber",
- "shuffle_description": "Apakah mode acak diaktifkan atau tidak.",
- "toggle_description": "Mengaktifkan/menonaktifkan penyedot debu.",
- "unjoin": "Berhenti bergabung",
- "turns_down_the_volume": "Mengecilkan volume.",
- "turn_down_volume": "Mengecilkan volume",
- "volume_mute_description": "Membisukan atau membunyikan pemutar media.",
- "is_volume_muted_description": "Menentukan apakah suara dibisukan atau tidak.",
- "mute_unmute_volume": "Membisukan/mengheningkan volume",
- "sets_the_volume_level": "Mengatur tingkat volume.",
- "level": "Tingkat",
- "set_volume": "Mengatur volume",
- "turns_up_the_volume": "Menaikkan volume.",
- "battery_description": "Level baterai perangkat.",
- "gps_coordinates": "Koordinat GPS",
- "gps_accuracy_description": "Akurasi koordinat GPS.",
- "hostname_of_the_device": "Nama host perangkat.",
- "hostname": "Nama host",
- "mac_description": "Alamat MAC perangkat.",
- "see": "Lihat",
+ "sequence": "Sequence",
+ "speed_of_spread": "Speed of spread.",
+ "spread": "Spread",
+ "sequence_effect": "Sequence effect",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Mengaktifkan/menonaktifkan sirene.",
+ "turns_the_siren_off": "Mematikan sirene.",
+ "turns_the_siren_on": "Menyalakan sirene.",
"brightness_value": "Nilai kecerahan",
"a_human_readable_color_name": "Nama warna yang dapat dibaca manusia.",
"color_name": "Nama warna",
@@ -3169,25 +3344,69 @@
"rgbww_color": "Warna RGBWW",
"white_description": "Atur mode lampu ke putih.",
"xy_color": "Warna XY",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Ubah kecerahan dengan jumlah tertentu.",
"brightness_step_value": "Nilai langkah kecerahan",
"brightness_step_pct_description": "Ubah kecerahan berdasarkan persentase.",
"brightness_step": "Langkah kecerahan",
- "add_event_description": "Menambahkan acara kalender baru.",
- "calendar_id_description": "ID kalender yang diinginkan.",
- "calendar_id": "ID Kalender",
- "description_description": "Deskripsi acara. Opsional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "Lokasi acara",
- "create_event": "Buat acara",
- "apply_filter": "Terapkan filter",
- "days_to_keep": "Hari untuk disimpan",
- "repack": "Kemas ulang",
- "purge": "Pembersihan",
- "domains_to_remove": "Domain yang akan dihapus",
- "entity_globs_to_remove": "Glob entitas untuk dihapus",
- "entities_to_remove": "Entitas yang akan dihapus",
- "purge_entities": "Bersihkan entitas",
+ "toggles_the_helper_on_off": "Mengaktifkan/menonaktifkan pembantu.",
+ "turns_off_the_helper": "Menonaktifkan pembantu.",
+ "turns_on_the_helper": "Mengaktifkan pembantu.",
+ "pauses_the_mowing_task": "Menjeda tugas memotong rumput.",
+ "starts_the_mowing_task": "Memulai tugas memotong rumput.",
+ "creates_a_new_backup": "Membuat cadangan baru.",
+ "sets_the_value": "Menetapkan nilai.",
+ "enter_your_text": "Masukkan teks Anda.",
+ "set_value": "Tetapkan nilai",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Perintah untuk dikirim ke Asisten Google.",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Jenis perintah",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "Nilai target yang akan ditetapkan.",
+ "set_zigbee_cluster_attribute": "Tetapkan atribut kluster zigbee",
+ "level": "Tingkat",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensitas",
+ "warning_device_starts_alert": "Peringatan perangkat mulai",
"dump_log_objects": "Dump objek log",
"log_current_tasks_description": "Catat semua tugas asyncio saat ini.",
"log_current_asyncio_tasks": "Catat tugas asyncio saat ini",
@@ -3212,27 +3431,297 @@
"stop_logging_object_sources": "Hentikan logging sumber objek",
"stop_log_objects_description": "Menghentikan logging pertumbuhan objek di memori.",
"stop_logging_objects": "Hentikan logging objek",
+ "set_default_level_description": "Menetapkan level log default untuk integrasi.",
+ "level_description": "Level keparahan default untuk semua integrasi.",
+ "set_default_level": "Tetapkan level default",
+ "set_level": "Tetapkan level",
+ "stops_a_running_script": "Menghentikan skrip yang sedang berjalan.",
+ "clear_skipped_update": "Bersihkan pembaruan yang dilewati",
+ "install_update": "Instal pembaruan",
+ "skip_description": "Tandai pembaruan yang tersedia saat ini sebagai dilewati.",
+ "skip_update": "Lewati pembaruan",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Mengurangi kecepatan",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Meningkatkan kecepatan",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Menetapkan arah",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Kecepatan kipas.",
+ "percentage": "Persentase",
+ "set_speed": "Tetapkan kecepatan",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "set_preset_mode": "Menyetel mode prasetel",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Mematikan kipas angin.",
+ "turns_fan_on": "Menyalakan kipas angin.",
+ "set_datetime_description": "Menetapkan tanggal dan/atau waktu.",
+ "the_target_date": "Tanggal target.",
+ "datetime_description": "Tanggal & waktu target.",
+ "date_time": "Tanggal & waktu",
+ "the_target_time": "Waktu target.",
+ "log_description": "Membuat entri khusus di buku log.",
+ "entity_id_description": "Pemutar media untuk memutar pesan.",
+ "message_description": "Isi pesan notifikasi.",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Mengaktifkan skenario dengan konfigurasi.",
+ "entities_description": "Daftar entitas dan status targetnya.",
+ "apply": "Terapkan",
+ "creates_a_new_scene": "Membuat skenario baru",
+ "entity_states": "Entity states",
+ "scene_id_description": "ID entitas dari skenario baru.",
+ "scene_entity_id": "ID entitas skenario",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Menghapus skenario yang dibuat secara dinamis.",
+ "activates_a_scene": "Mengaktifkan skenario",
"reload_themes_description": "Muat ulang tema dari konfigurasi YAML.",
"reload_themes": "Muat ulang tema",
"name_of_a_theme": "Nama tema.",
"set_the_default_theme": "Tetapkan tema default",
+ "decrement_description": "Mengurangi nilai saat ini sebanyak 1 langkah.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Menetapkan nilai bilangan.",
+ "check_configuration": "Periksa konfigurasi",
+ "reload_all": "Muat ulang semuanya",
+ "reload_config_entry_description": "Memuat ulang entri konfigurasi yang ditentukan.",
+ "config_entry_id": "ID entri konfigurasi",
+ "reload_config_entry": "Muat ulang entri konfigurasi",
+ "reload_core_config_description": "Memuat ulang konfigurasi inti dari konfigurasi YAML.",
+ "reload_core_configuration": "Muat ulang konfigurasi inti",
+ "reload_custom_jinja_templates": "Muat ulang templat Jinja2 khusus",
+ "restarts_home_assistant": "Memulai ulang Home Assistant.",
+ "safe_mode_description": "Menonaktifkan integrasi khusus dan kartu khusus.",
+ "save_persistent_states": "Simpan status persisten",
+ "set_location_description": "Memperbarui lokasi Home Assistant.",
+ "elevation_description": "Ketinggian lokasi Anda dari permukaan laut.",
+ "latitude_of_your_location": "Garis lintang lokasi Anda.",
+ "longitude_of_your_location": "Garis bujur lokasi Anda.",
+ "set_location": "Tetapkan lokasi",
+ "stops_home_assistant": "Menghentikan Home Assistant.",
+ "generic_toggle": "Sakelar (umum)",
+ "generic_turn_off": "Matikan (umum)",
+ "generic_turn_on": "Nyalakan (umum)",
+ "entities_to_update": "Entitas yang akan diperbarui",
+ "update_entity": "Perbarui entitas",
+ "notify_description": "Mengirimkan pesan notifikasi ke target yang dipilih.",
+ "data": "Data",
+ "title_for_your_notification": "Judul notifikasi Anda.",
+ "title_of_the_notification": "Judul notifikasi.",
+ "send_a_persistent_notification": "Kirim notifikasi persisten",
+ "sends_a_notification_message": "Mengirim pesan notifikasi.",
+ "your_notification_message": "Pesan notifikasi Anda.",
+ "title_description": "Judul opsional untuk notifikasi.",
+ "send_a_notification_message": "Kirim pesan notifikasi",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topik untuk didengarkan.",
+ "topic": "Topik",
+ "export": "Ekspor",
+ "publish_description": "Mempublikasikan pesan ke topik MQTT.",
+ "evaluate_payload": "Evaluasi payload",
+ "the_payload_to_publish": "Payload untuk dipublikasikan.",
+ "payload": "Payload",
+ "payload_template": "Templat payload",
+ "qos": "Kualitas Layanan",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topik untuk dipublikasikan.",
+ "publish": "Publikasikan",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Level baterai perangkat.",
+ "gps_coordinates": "Koordinat GPS",
+ "gps_accuracy_description": "Akurasi koordinat GPS.",
+ "hostname_of_the_device": "Nama host perangkat.",
+ "hostname": "Nama host",
+ "mac_description": "Alamat MAC perangkat.",
+ "see": "Lihat",
+ "device_description": "ID Perangkat tujuan perintah.",
+ "delete_command": "Hapus perintah",
+ "alternative": "Alternatif",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Tunda dalam detik",
+ "hold_seconds": "Jeda dalam detik",
+ "send_command": "Kirim perintah",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Memulai tugas pembersihan baru.",
+ "get_weather_forecast": "Dapatkan prakiraan cuaca.",
+ "type_description": "Jenis prakiraan: harian, per jam, atau dua kali sehari.",
+ "forecast_type": "Jenis prakiraan",
+ "get_forecast": "Dapatkan prakiraan",
+ "get_forecasts": "Dapatkan prakiraan cuaca",
+ "press_the_button_entity": "Entitas penekanan tombol",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Menampilkan notifikasi di panel notifikasi.",
+ "notification_id": "ID Notifikasi",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Menemukan lokasi robot penyedot debu.",
+ "pauses_the_cleaning_task": "Menjeda tugas pembersihan.",
+ "send_command_description": "Mengirimkan perintah ke penyedot debu.",
+ "parameters": "Parameter",
+ "set_fan_speed": "Atur kecepatan kipas",
+ "start_description": "Memulai atau melanjutkan tugas pembersihan.",
+ "start_pause_description": "Memulai, menjeda, atau melanjutkan tugas pembersihan.",
+ "stop_description": "Menghentikan tugas pembersihan saat ini.",
+ "toggle_description": "Mengaktifkan/menonaktifkan pemutar media.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "Kecepatan gerak PTZ.",
+ "ptz_move": "Gerakan PTZ",
+ "disables_the_motion_detection": "Menonaktifkan deteksi gerakan.",
+ "disable_motion_detection": "Nonaktifkan deteksi gerakan",
+ "enables_the_motion_detection": "Mengaktifkan deteksi gerakan.",
+ "enable_motion_detection": "Aktifkan deteksi gerakan",
+ "format_description": "Format streaming yang didukung oleh pemutar media.",
+ "format": "Format",
+ "media_player_description": "Pemutar media untuk streaming.",
+ "play_stream": "Putar streaming",
+ "filename_description": "Jalur lengkap ke file. Harus berupa MP4.",
+ "filename": "Nama file",
+ "lookback": "Lihat balik",
+ "snapshot_description": "Mengambil snapshot dari kamera.",
+ "full_path_to_filename": "Jalur lengkap ke file",
+ "take_snapshot": "Ambil snapshot",
+ "turns_off_the_camera": "Mematikan kamera.",
+ "turns_on_the_camera": "Menyalakan kamera.",
+ "reload_resources_description": "Memuat ulang sumber daya dasbor dari konfigurasi YAML.",
"clear_tts_cache": "Hapus cache TTS",
"cache": "Cache",
"language_description": "Bahasa teks. Defaultnya adalah bahasa server.",
"options_description": "Kamus yang berisi opsi khusus integrasi.",
"say_a_tts_message": "Ucapkan pesan TTS",
- "media_player_entity_id_description": "Pemutar media untuk memutar pesan.",
"media_player_entity": "Entitas pemutar media",
"speak": "Bicara",
- "reload_resources_description": "Memuat ulang sumber daya dasbor dari konfigurasi YAML.",
- "toggles_the_siren_on_off": "Mengaktifkan/menonaktifkan sirene.",
- "turns_the_siren_off": "Mematikan sirene.",
- "turns_the_siren_on": "Menyalakan sirene.",
- "toggles_the_helper_on_off": "Mengaktifkan/menonaktifkan pembantu.",
- "turns_off_the_helper": "Menonaktifkan pembantu.",
- "turns_on_the_helper": "Mengaktifkan pembantu.",
- "pauses_the_mowing_task": "Menjeda tugas memotong rumput.",
- "starts_the_mowing_task": "Memulai tugas memotong rumput.",
+ "send_text_command": "Kirim perintah teks",
+ "the_target_value": "Nilai target.",
+ "removes_a_group": "Menghapus grup.",
+ "object_id": "ID Objek",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "icon_description": "Nama ikon untuk grup.",
+ "name_of_the_group": "Nama grup.",
+ "locks_a_lock": "Mengunci kunci.",
+ "code_description": "Kode untuk mengaktifkan alarm.",
+ "opens_a_lock": "Membuka kunci.",
+ "announce_description": "Umumkan pesan lewat satelit",
+ "media_id": "ID Media",
+ "the_message_to_announce": "Pesan untuk diumumkan",
+ "announce": "Mengumumkan",
+ "reloads_the_automation_configuration": "Memuat ulang konfigurasi otomasi.",
+ "trigger_description": "Memicu tindakan otomasi.",
+ "skip_conditions": "Kondisi lewati",
+ "disables_an_automation": "Menonaktifkan otomasi.",
+ "stops_currently_running_actions": "Menghentikan aksi yang sedang berjalan.",
+ "stop_actions": "Hentikan aksi",
+ "enables_an_automation": "Mengaktifkan otomasi.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Tulis entri log.",
+ "log_level": "Tingkat log.",
+ "message_to_log": "Pesan untuk dicatat.",
+ "write": "Tulis",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Meluncurkan percakapan dari teks yang ditranskripsi.",
+ "agent": "Agen",
+ "conversation_id": "ID Percakapan",
+ "transcribed_text_input": "Input teks yang ditranskripsi.",
+ "process": "Proses",
+ "reloads_the_intent_configuration": "Muat ulang konfigurasi intent",
+ "conversation_agent_to_reload": "Agen percakapan untuk dimuat ulang.",
+ "closes_a_cover": "Menutup penutup.",
+ "close_cover_tilt_description": "Memiringkan penutup untuk menutup.",
+ "close_tilt": "Tutup kemiringan",
+ "opens_a_cover": "Membuka penutup.",
+ "tilts_a_cover_open": "Memiringkan penutup agar terbuka.",
+ "open_tilt": "Buka kemiringan",
+ "set_cover_position_description": "Memindahkan penutup ke posisi tertentu.",
+ "target_position": "Posisi target.",
+ "set_position": "Mengatur posisi",
+ "target_tilt_positition": "Posisi kemiringan target.",
+ "set_tilt_position": "Mengatur posisi kemiringan",
+ "stops_the_cover_movement": "Menghentikan gerakan penutup.",
+ "stop_cover_tilt_description": "Menghentikan gerakan penutup yang miring.",
+ "stop_tilt": "Hentikan kemiringan",
+ "toggles_a_cover_open_closed": "Mengalihkan penutup terbuka/tertutup.",
+ "toggle_cover_tilt_description": "Mengalihkan kemiringan penutup terbuka/tertutup.",
+ "toggle_tilt": "Alihkan kemiringan",
+ "turns_auxiliary_heater_on_off": "Menghidupkan/mematikan pemanas tambahan.",
+ "aux_heat_description": "Nilai baru pemanas tambahan.",
+ "turn_on_off_auxiliary_heater": "Nyalakan/matikan pemanas tambahan",
+ "sets_fan_operation_mode": "Menyetel mode operasi kipas",
+ "fan_operation_mode": "Mode operasi kipas",
+ "set_fan_mode": "Menyetel mode kipas",
+ "sets_target_humidity": "Menyetel target kelembapan.",
+ "set_target_humidity": "Menyetel target kelembapan",
+ "sets_hvac_operation_mode": "Menyetel mode operasi HVAC",
+ "hvac_operation_mode": "Mode operasi HVAC",
+ "set_hvac_mode": "Menyetel mode HVAC",
+ "sets_preset_mode": "Menyetel mode prasetel.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Menyetel mode operasi ayunan",
+ "swing_operation_mode": "Mode operasi ayunan",
+ "set_swing_mode": "Set mode ayunan",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Setel suhu target",
+ "turns_climate_device_off": "Matikan perangkat AC",
+ "turns_climate_device_on": "Nyalakan perangkat AC",
+ "apply_filter": "Terapkan filter",
+ "days_to_keep": "Hari untuk disimpan",
+ "repack": "Kemas ulang",
+ "purge": "Pembersihan",
+ "domains_to_remove": "Domain yang akan dihapus",
+ "entity_globs_to_remove": "Glob entitas untuk dihapus",
+ "entities_to_remove": "Entitas yang akan dihapus",
+ "purge_entities": "Bersihkan entitas",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Hapus daftar putar",
+ "selects_the_next_track": "Memilih trek berikutnya.",
+ "pauses": "Jeda.",
+ "starts_playing": "Mulai memutar.",
+ "toggles_play_pause": "Mengalihkan putar/jeda.",
+ "selects_the_previous_track": "Memilih trek sebelumnya.",
+ "seek": "Mencari",
+ "stops_playing": "Hentikan memutar",
+ "starts_playing_specified_media": "Mulai memutar media yang ditentukan.",
+ "enqueue": "Antrean",
+ "repeat_mode_to_set": "Mode ulangi untuk ditetapkan.",
+ "select_sound_mode_description": "Memilih mode suara tertentu.",
+ "select_sound_mode": "Pilih mode suara",
+ "select_source": "Pilih sumber",
+ "shuffle_description": "Apakah mode acak diaktifkan atau tidak.",
+ "unjoin": "Berhenti bergabung",
+ "turns_down_the_volume": "Mengecilkan volume.",
+ "turn_down_volume": "Mengecilkan volume",
+ "volume_mute_description": "Membisukan atau membunyikan pemutar media.",
+ "is_volume_muted_description": "Menentukan apakah suara dibisukan atau tidak.",
+ "mute_unmute_volume": "Membisukan/mengheningkan volume",
+ "sets_the_volume_level": "Mengatur tingkat volume.",
+ "set_volume": "Mengatur volume",
+ "turns_up_the_volume": "Menaikkan volume.",
"restarts_an_add_on": "Memulai ulang add-on.",
"the_add_on_to_restart": "Add-on yang akan dimulai ulang.",
"restart_add_on": "Mulai ulang add-on",
@@ -3270,37 +3759,6 @@
"restore_partial_description": "Memulihkan dari cadangan parsial.",
"restores_home_assistant": "Memulihkan Home Assistant.",
"restore_from_partial_backup": "Pulihkan dari cadangan parsial",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Mengurangi kecepatan",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Meningkatkan kecepatan",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Menetapkan arah",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Kecepatan kipas.",
- "percentage": "Persentase",
- "set_speed": "Tetapkan kecepatan",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Mematikan kipas angin.",
- "turns_fan_on": "Menyalakan kipas angin.",
- "get_weather_forecast": "Dapatkan prakiraan cuaca.",
- "type_description": "Jenis prakiraan: harian, per jam, atau dua kali sehari.",
- "forecast_type": "Jenis prakiraan",
- "get_forecast": "Dapatkan prakiraan",
- "get_forecasts": "Dapatkan prakiraan cuaca",
- "clear_skipped_update": "Bersihkan pembaruan yang dilewati",
- "install_update": "Instal pembaruan",
- "skip_description": "Tandai pembaruan yang tersedia saat ini sebagai dilewati.",
- "skip_update": "Lewati pembaruan",
- "code_description": "Kode yang digunakan untuk membuka kunci.",
- "arm_with_custom_bypass": "Aktifkan secara khusus",
- "alarm_arm_vacation_description": "Menyetel alarm ke: _aktif untuk liburan_.",
- "disarms_the_alarm": "Menonaktifkan alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
"selects_the_first_option": "Memilih opsi pertama.",
"first": "Pertama",
"selects_the_last_option": "Memilih opsi terakhir.",
@@ -3308,76 +3766,16 @@
"selects_an_option": "Memilih opsi.",
"option_to_be_selected": "Opsi untuk dipilih.",
"selects_the_previous_option": "Memilih opsi sebelumnya.",
- "disables_the_motion_detection": "Menonaktifkan deteksi gerakan.",
- "disable_motion_detection": "Nonaktifkan deteksi gerakan",
- "enables_the_motion_detection": "Mengaktifkan deteksi gerakan.",
- "enable_motion_detection": "Aktifkan deteksi gerakan",
- "format_description": "Format streaming yang didukung oleh pemutar media.",
- "format": "Format",
- "media_player_description": "Pemutar media untuk streaming.",
- "play_stream": "Putar streaming",
- "filename_description": "Jalur lengkap ke file. Harus berupa MP4.",
- "filename": "Nama file",
- "lookback": "Lihat balik",
- "snapshot_description": "Mengambil snapshot dari kamera.",
- "full_path_to_filename": "Jalur lengkap ke file",
- "take_snapshot": "Ambil snapshot",
- "turns_off_the_camera": "Mematikan kamera.",
- "turns_on_the_camera": "Menyalakan kamera.",
- "press_the_button_entity": "Entitas penekanan tombol",
+ "add_event_description": "Menambahkan acara kalender baru.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "Tanggal acara sepanjang hari dimulai.",
+ "create_event": "Buat acara",
"get_events": "Dapatkan acara",
- "select_the_next_option": "Pilih opsi berikutnya.",
- "sets_the_options": "Mengatur opsi.",
- "list_of_options": "Daftar opsi.",
- "set_options": "Tetapkan opsi",
- "closes_a_cover": "Menutup penutup.",
- "close_cover_tilt_description": "Memiringkan penutup untuk menutup.",
- "close_tilt": "Tutup kemiringan",
- "opens_a_cover": "Membuka penutup.",
- "tilts_a_cover_open": "Memiringkan penutup agar terbuka.",
- "open_tilt": "Buka kemiringan",
- "set_cover_position_description": "Memindahkan penutup ke posisi tertentu.",
- "target_tilt_positition": "Posisi kemiringan target.",
- "set_tilt_position": "Mengatur posisi kemiringan",
- "stops_the_cover_movement": "Menghentikan gerakan penutup.",
- "stop_cover_tilt_description": "Menghentikan gerakan penutup yang miring.",
- "stop_tilt": "Hentikan kemiringan",
- "toggles_a_cover_open_closed": "Mengalihkan penutup terbuka/tertutup.",
- "toggle_cover_tilt_description": "Mengalihkan kemiringan penutup terbuka/tertutup.",
- "toggle_tilt": "Alihkan kemiringan",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Membuat entri khusus di buku log.",
- "message_description": "Isi pesan notifikasi.",
- "enter_your_text": "Masukkan teks Anda.",
- "set_value": "Tetapkan nilai",
- "topic_to_listen_to": "Topik untuk didengarkan.",
- "topic": "Topik",
- "export": "Ekspor",
- "publish_description": "Mempublikasikan pesan ke topik MQTT.",
- "evaluate_payload": "Evaluasi payload",
- "the_payload_to_publish": "Payload untuk dipublikasikan.",
- "payload": "Payload",
- "payload_template": "Templat payload",
- "qos": "Kualitas Layanan",
- "retain": "Retain",
- "topic_to_publish_to": "Topik untuk dipublikasikan.",
- "publish": "Publikasikan",
- "reloads_the_automation_configuration": "Memuat ulang konfigurasi otomasi.",
- "trigger_description": "Memicu tindakan otomasi.",
- "skip_conditions": "Kondisi lewati",
- "disables_an_automation": "Menonaktifkan otomasi.",
- "stops_currently_running_actions": "Menghentikan aksi yang sedang berjalan.",
- "stop_actions": "Hentikan aksi",
- "enables_an_automation": "Mengaktifkan otomasi.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Menetapkan level log default untuk integrasi.",
- "level_description": "Level keparahan default untuk semua integrasi.",
- "set_default_level": "Tetapkan level default",
- "set_level": "Tetapkan level",
+ "closes_a_valve": "Menutup katup.",
+ "opens_a_valve": "Membuka katup.",
+ "set_valve_position_description": "Memindahkan katup ke posisi tertentu.",
+ "stops_the_valve_movement": "Menghentikan gerakan katup.",
+ "toggles_a_valve_open_closed": "Mengalihkan katup terbuka/tertutup.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3386,80 +3784,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Menemukan lokasi robot penyedot debu.",
- "pauses_the_cleaning_task": "Menjeda tugas pembersihan.",
- "send_command_description": "Mengirimkan perintah ke penyedot debu.",
- "command_description": "Perintah untuk dikirim ke Asisten Google.",
- "parameters": "Parameter",
- "set_fan_speed": "Atur kecepatan kipas",
- "start_description": "Memulai atau melanjutkan tugas pembersihan.",
- "start_pause_description": "Memulai, menjeda, atau melanjutkan tugas pembersihan.",
- "stop_description": "Menghentikan tugas pembersihan saat ini.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Mengaktifkan/menonaktifkan sakelar.",
- "turns_a_switch_off": "Mematikan sakelar.",
- "turns_a_switch_on": "Menghidupkan sakelar.",
+ "calendar_id_description": "ID kalender yang diinginkan.",
+ "calendar_id": "ID Kalender",
+ "description_description": "Deskripsi acara. Opsional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Ekstrak URL media dari suatu layanan.",
"format_query": "Kueri format",
"url_description": "URL tempat media dapat ditemukan.",
"media_url": "URL Media",
"get_media_url": "Dapatkan URL Media",
"play_media_description": "Mengunduh file dari URL yang diberikan.",
- "notify_description": "Mengirimkan pesan notifikasi ke target yang dipilih.",
- "data": "Data",
- "title_for_your_notification": "Judul notifikasi Anda.",
- "title_of_the_notification": "Judul notifikasi.",
- "send_a_persistent_notification": "Kirim notifikasi persisten",
- "sends_a_notification_message": "Mengirim pesan notifikasi.",
- "your_notification_message": "Pesan notifikasi Anda.",
- "title_description": "Judul opsional untuk notifikasi.",
- "send_a_notification_message": "Kirim pesan notifikasi",
- "process_description": "Meluncurkan percakapan dari teks yang ditranskripsi.",
- "agent": "Agen",
- "conversation_id": "ID Percakapan",
- "transcribed_text_input": "Input teks yang ditranskripsi.",
- "process": "Proses",
- "reloads_the_intent_configuration": "Muat ulang konfigurasi intent",
- "conversation_agent_to_reload": "Agen percakapan untuk dimuat ulang.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "Kecepatan gerak PTZ.",
- "ptz_move": "Gerakan PTZ",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Kirim perintah teks",
- "announce_description": "Umumkan pesan lewat satelit",
- "media_id": "ID Media",
- "the_message_to_announce": "Pesan untuk diumumkan",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Tulis entri log.",
- "log_level": "Tingkat log.",
- "message_to_log": "Pesan untuk dicatat.",
- "write": "Tulis",
- "locks_a_lock": "Mengunci kunci.",
- "opens_a_lock": "Membuka kunci.",
- "removes_a_group": "Menghapus grup.",
- "object_id": "ID Objek",
- "creates_updates_a_group": "Creates/Updates a group.",
- "icon_description": "Nama ikon untuk grup.",
- "name_of_the_group": "Nama grup.",
- "stops_a_running_script": "Menghentikan skrip yang sedang berjalan.",
- "create_description": "Menampilkan notifikasi di panel notifikasi.",
- "notification_id": "ID Notifikasi",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Pilih opsi berikutnya.",
+ "sets_the_options": "Mengatur opsi.",
+ "list_of_options": "Daftar opsi.",
+ "set_options": "Tetapkan opsi",
+ "arm_with_custom_bypass": "Aktifkan secara khusus",
+ "alarm_arm_vacation_description": "Menyetel alarm ke: _aktif untuk liburan_.",
+ "disarms_the_alarm": "Menonaktifkan alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Mengaktifkan/menonaktifkan sakelar.",
+ "turns_a_switch_off": "Mematikan sakelar.",
+ "turns_a_switch_on": "Menghidupkan sakelar."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/index.ts b/packages/core/src/hooks/useLocale/locales/index.ts
index 9b9f596e..6d5cbb2b 100644
--- a/packages/core/src/hooks/useLocale/locales/index.ts
+++ b/packages/core/src/hooks/useLocale/locales/index.ts
@@ -5,317 +5,317 @@ const CACHE: Partial> = {};
const locales = [
{
code: "af",
- hash: "1a33256b3df6e092826753aa89783d28",
+ hash: "35d045184f58f561b4bc7ba4d2d911da",
name: "Afrikaans",
},
{
code: "ar",
- hash: "25819864339e22084b64de8e3c68d10c",
+ hash: "0d2e95d56dcdca1e6a144ce105817791",
name: "العربية",
},
{
code: "bg",
- hash: "80b22dbcb877394d5164a1cc3321036f",
+ hash: "b17b3127c1b69ff592899b4c7d96bbd7",
name: "Български",
},
{
code: "bn",
- hash: "617ed2beaf46cc8083d19bae25d4ab7b",
+ hash: "869b5bca70e3cebee1c88fd895c96b30",
name: "বাংলা",
},
{
code: "bs",
- hash: "ac7bfed1c5b97d950a7a49323c5eb7ff",
+ hash: "3fbc6dee83c50b4b4786209bbd7061e7",
name: "Bosanski",
},
{
code: "ca",
- hash: "7930070af96ccb4fa16068ed15a9b32e",
+ hash: "b1795bffeaf87ba7e0e64a2ddb745de5",
name: "Català",
},
{
code: "cs",
- hash: "e46f26c62b21193fe7428a39f6d5feb2",
+ hash: "febbf246033b7cbe0150c2fb1d414bf7",
name: "Čeština",
},
{
code: "cy",
- hash: "6354a4bbb833cf71c870a87a41f7cb61",
+ hash: "0c6acf7d9f17481e84cce5e20f02ec7d",
name: "Cymraeg",
},
{
code: "da",
- hash: "c507c266268a78bc5a74d0e8e74ba913",
+ hash: "c19577728c002292f175db46027e7373",
name: "Dansk",
},
{
code: "de",
- hash: "c391ba14ce1d1dc66bff81877d88c71d",
+ hash: "cba7defc692673637a96b70570ceef07",
name: "Deutsch",
},
{
code: "el",
- hash: "ad84a0c21e147d4f5bdc59e9a2c0a721",
+ hash: "bc8caa565b76f08deca4264f9a29dc08",
name: "Ελληνικά",
},
{
code: "en",
- hash: "45f44a86b823931b44be1875b5f24ce1",
+ hash: "94909bac5e64e02325a35ce1e634366a",
name: "English",
},
{
code: "en-GB",
- hash: "5c2217dd28ef2cf8442840651c3ef56a",
+ hash: "6af3174fd3548aca91f541ea908460fc",
name: "English (GB)",
},
{
code: "eo",
- hash: "6a0fcd856a83754376f39337f12182a4",
+ hash: "3246119d8f2bca52d771e8f97529a036",
name: "Esperanto",
},
{
code: "es",
- hash: "353edda62c41d02697ebcee789e8c09a",
+ hash: "d820e789d1110327648ab9764aa9fede",
name: "Español",
},
{
code: "es-419",
- hash: "69e6e845faef709abaaccdd648cc007b",
+ hash: "70c7b855d563d2d7ebd4ef146a692aee",
name: "Español (Latin America)",
},
{
code: "et",
- hash: "1270458becceaf751cfaae1fcd29ed28",
+ hash: "44d23ebe19629ec5d90f67be5f68462d",
name: "Eesti",
},
{
code: "eu",
- hash: "7714bc19a59b04d113a49a621707da2e",
+ hash: "ea5cee7c13f5bbc7a657bbc70d89a858",
name: "Euskara",
},
{
code: "fa",
- hash: "e395f38989214bfff9c2c24ba8f170c8",
+ hash: "637cc7d104d822daa899aa42a04ab5d2",
name: "فارسی",
},
{
code: "fi",
- hash: "f1f690e23b6cacbbcb6cdb45e2454ddc",
+ hash: "47bd175ebc4cab5c76a65a4695005265",
name: "Suomi",
},
{
code: "fy",
- hash: "0d46acddf299ac87644896ca38e5bd54",
+ hash: "ba251e18dc216f9f0e62a2aede0ea718",
name: "Frysk",
},
{
code: "fr",
- hash: "902f99c58fe84d7e9b37377291a6cde9",
+ hash: "7b39730f10fcbe5706da2ffebf2dbe2d",
name: "Français",
},
{
code: "ga",
- hash: "f01494cb61480a53ca2aeb147fb62c3c",
+ hash: "dc0aacba422388bb56194968beed5770",
name: "Gaeilge",
},
{
code: "gl",
- hash: "1f18877e6c429aab8cb1e7703af77c20",
+ hash: "ab7175f61ce1bf376306ac5fd45b72f9",
name: "Galego",
},
{
code: "gsw",
- hash: "4f9cf97ed9f5d02d45476129449c2144",
+ hash: "7682849c5bf2d5bc38778d143fd276b2",
name: "Schwiizerdütsch",
},
{
code: "he",
- hash: "3d101e8b609b1d216855f5b9f80d0e64",
+ hash: "8202ea5bfc2369dcaa66bf6105f3a60d",
name: "עברית",
},
{
code: "hi",
- hash: "d702f68fe72c8c18c4dd65c7caac9e95",
+ hash: "311eff0e36fd5049dba35d916bdd1e98",
name: "हिन्दी",
},
{
code: "hr",
- hash: "d4bc7c27c35dd64076d8eed3e4346604",
+ hash: "7e207e37b524e874d8e3e23a6cb71812",
name: "Hrvatski",
},
{
code: "hu",
- hash: "ddcd9d4361c224c281ad4230a81b2919",
+ hash: "bee45d457a97441e9a60fd9d9960c300",
name: "Magyar",
},
{
code: "hy",
- hash: "2f3a5c8a7fdfbffdada95e439c5ebeef",
+ hash: "87e65f6f4a7a1edfa251cfebda3797de",
name: "Հայերեն",
},
{
code: "id",
- hash: "23ad8a0c157fd2cc43af185d594ad776",
+ hash: "08060c936538d653e65a517eaf98be19",
name: "Indonesia",
},
{
code: "it",
- hash: "0cf023b0320bc87a5abd0c6c80763f9f",
+ hash: "90a0d6efcc3c3274c6f0700befa25cde",
name: "Italiano",
},
{
code: "is",
- hash: "7230e9304b1eaf0e58a872c1b9ca297c",
+ hash: "bc45a464b73488a263ab57f29f3e83c4",
name: "Íslenska",
},
{
code: "ja",
- hash: "658ffdf5c85ee6f824e2bc7441a7fb5f",
+ hash: "f0a220270492199d710108c38529c4d8",
name: "日本語",
},
{
code: "ka",
- hash: "ec29a5bd519152dc32df6ff25bf533d0",
+ hash: "127c1a375debe953f6005f193ea4373b",
name: "Kartuli",
},
{
code: "ko",
- hash: "f44384e8a411a46247255833fc77a294",
+ hash: "b3785eb77629bdf90526d590c63e6cfe",
name: "한국어",
},
{
code: "lb",
- hash: "79f6c1dcf5fa34e3edd799117e5b5eb2",
+ hash: "296254c20a83d3abb86f65ec7594dfb7",
name: "Lëtzebuergesch",
},
{
code: "lt",
- hash: "7cdd9e202791c8e8ebeb322431101b99",
+ hash: "697ab244c646b0c9f616e8a12d7d6cd9",
name: "Lietuvių",
},
{
code: "lv",
- hash: "50275a44568a948cee15150b1d92336e",
+ hash: "b407c3cd78720cf9845d06c423462583",
name: "Latviešu",
},
{
code: "mk",
- hash: "1a137805059a4b88087c8fd61e23cff0",
+ hash: "3ec7f7400a37dc258a9ea64b086648dd",
name: "Македонски",
},
{
code: "ml",
- hash: "fdf46abec2a168fa59e182366a714ad1",
+ hash: "5c3f3ec3b93e4c03a45c9c8e44a4f3cc",
name: "മലയാളം",
},
{
code: "nl",
- hash: "1202ace64efd32ad0ff4179bcd638035",
+ hash: "221cd249653a1e291a73f887d5945395",
name: "Nederlands",
},
{
code: "nb",
- hash: "7ae5e6b1934dcd6db5fd5417474b6d1f",
+ hash: "b0c47fc92c0a9173c73e2a962f28d8cb",
name: "Norsk Bokmål",
},
{
code: "nn",
- hash: "211897312108efd25f425637d2ac497a",
+ hash: "3cac7c697b51da2529f8b733260c4716",
name: "Norsk Nynorsk",
},
{
code: "pl",
- hash: "431c4d5f23cfd7ee15cd704ce11e4bb9",
+ hash: "bb84843cc40a0ac28a98c6d3f3f3fd10",
name: "Polski",
},
{
code: "pt",
- hash: "cee6272d8a75099c7d85121e73189bed",
+ hash: "e2b04f3b031ae6364a4b04bd23bfd5cf",
name: "Português",
},
{
code: "pt-BR",
- hash: "87dd977b588f934085abc2cd6b23e206",
+ hash: "2f2e51cd7ed7515e1f5d15f313927a43",
name: "Português (BR)",
},
{
code: "ro",
- hash: "2cf70835aff47e23c58e22815b8ca4d9",
+ hash: "e818fbba08d6064e8aaf05c7726bc556",
name: "Română",
},
{
code: "ru",
- hash: "b1c19378ce8cdd5e3ce45bd898c8ff2d",
+ hash: "0eb306736a628325ffd1d20657654c48",
name: "Русский",
},
{
code: "sk",
- hash: "6cde2eb3d8f4cb13c520ee80e8126df1",
+ hash: "06041317ae9fc90918f0b43fe1732c4e",
name: "Slovenčina",
},
{
code: "sl",
- hash: "475922bd728428b2ea02fa1c1b5cf95c",
+ hash: "34f5fd0a997d20113ec9276bc1f65653",
name: "Slovenščina",
},
{
code: "sr",
- hash: "37086d2671586f98b25952177bbd35ac",
+ hash: "fec5e416c2a603fa9336af91404b5b6b",
name: "Српски",
},
{
code: "sr-Latn",
- hash: "7b6d7f79062c75ef839d49f9bb349c33",
+ hash: "290a37d9ebee792d091003b7f2d8f1a7",
name: "Srpski",
},
{
code: "sv",
- hash: "7cf428a3c884b77252bc9677c2d992e2",
+ hash: "2d1840c512399b8c219f36928d04bf6e",
name: "Svenska",
},
{
code: "ta",
- hash: "d8f452372f597570507b49d4a8cddc77",
+ hash: "603014935b693388a425940bba4914b4",
name: "தமிழ்",
},
{
code: "te",
- hash: "d5bfe891e6fa5e020f3e0e7a2f0d727c",
+ hash: "896d3aed07812883bdc1cd788beed61c",
name: "తెలుగు",
},
{
code: "th",
- hash: "c08406423b2010a677623622e4b03942",
+ hash: "92407f0c797588e6fbc5fe1597bac438",
name: "ภาษาไทย",
},
{
code: "tr",
- hash: "4915a1044be220fc3ecb56464baabd7f",
+ hash: "c24c8d3592a658ff2ceb6998906dd6ed",
name: "Türkçe",
},
{
code: "uk",
- hash: "d7c4c1d8dc8454126039aaba540acfed",
+ hash: "276dc957e451d86ab734536233426744",
name: "Українська",
},
{
code: "ur",
- hash: "75fb9a3852d6bb4a2ad88b12dd6569e1",
+ hash: "df3eea3c85a464a0191c6d5562ed07d5",
name: "اُردُو",
},
{
code: "vi",
- hash: "7f70ccc94bbad13c9e51890c13cbe5f9",
+ hash: "89fabe26e58defb1f468d7994f628652",
name: "Tiếng Việt",
},
{
code: "zh-Hans",
- hash: "4959433759af563540e9e131412b8769",
+ hash: "954c76ed73614940446cf80ccb2c4026",
name: "简体中文",
},
{
code: "zh-Hant",
- hash: "4f49839e9c1155dfee2098732397a89a",
+ hash: "f584bc01b5ceee538fc6e4997a93fe3f",
name: "繁體中文",
},
] satisfies Array<{
diff --git a/packages/core/src/hooks/useLocale/locales/is/is.json b/packages/core/src/hooks/useLocale/locales/is/is.json
index 05132851..26374e15 100644
--- a/packages/core/src/hooks/useLocale/locales/is/is.json
+++ b/packages/core/src/hooks/useLocale/locales/is/is.json
@@ -135,12 +135,12 @@
"cancel": "Cancel",
"cancel_number": "Hætta við {number}",
"cancel_all": "Hætta við allt",
- "idle": "Idle",
+ "idle": "Óvirkur",
"run_script": "Keyra skriftu",
"option": "Option",
"installing": "Uppsetning",
"installing_progress": "Uppsetning ( {progress} %)",
- "up_to_date": "Up-to-date",
+ "up_to_date": "Er uppfært",
"empty_value": "(tómt gildi)",
"start": "Start",
"finish": "Finish",
@@ -244,7 +244,7 @@
"selector_options": "Selector Options",
"action": "Action",
"area": "Area",
- "attribute": "Eigindi",
+ "attribute": "Attribute",
"boolean": "Boolean",
"condition": "Skilyrði",
"date": "Date",
@@ -616,7 +616,7 @@
"fri": "Fös",
"sat": "Lau",
"after": "Eftir",
- "on": "Virkur",
+ "on": "Kveikt",
"end_on": "Enda á",
"end_after": "Enda eftir",
"occurrences": "occurrences",
@@ -750,7 +750,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Búa til öryggisafrit fyrir uppfærslu",
"update_instructions": "Uppfærsluleiðbeiningar",
"current_activity": "Núverandi verkþáttur",
- "status": "Staða",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Skipanir ryksugu:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -867,7 +867,7 @@
"restart_home_assistant": "Endurræsa Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Fljótleg endurhleðsla",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Reloading configuration",
"failed_to_reload_configuration": "Failed to reload configuration",
"restart_description": "Truflar alla sjálfvirkni og skriftur sem eru í gangi.",
@@ -895,8 +895,8 @@
"password": "Password",
"regex_pattern": "Regex pattern",
"used_for_client_side_validation": "Used for client-side validation",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Innsláttarreitur",
"slider": "Slider",
"step_size": "Þrepastærð",
@@ -940,7 +940,7 @@
"services_zigbee_information": "View the Zigbee information for the device.",
"quirk": "Quirk",
"last_seen": "Síðast séð",
- "power_source": "Orkugjafi",
+ "power_source": "Power source",
"change_device_name": "Breyta nafni á tæki",
"device_debug_info": "{device} debug info",
"mqtt_device_debug_info_deserialize": "Reyni að flokka MQTT skilaboð sem JSON",
@@ -1075,6 +1075,7 @@
"welcome_home": "Velkomin(n) heim",
"empty_state_go_to_integrations_page": "Fara á samþættingar síðu.",
"never_triggered": "Never triggered",
+ "active": "Virkur",
"todo_list_no_unchecked_items": "Þú hefur engin verkefni!",
"completed": "Completed",
"remove_completed_items": "Eyða atriðum sem er lokið?",
@@ -1204,7 +1205,7 @@
"move_to_dashboard": "Move to dashboard",
"card_configuration": "Stillingar spjalds",
"type_card_configuration": "{type} Card configuration",
- "edit_card_pick_card": "Hvaða spjald viltu bæta við?",
+ "edit_card_pick_card": "Which card would you like to add?",
"toggle_editor": "Toggle editor",
"you_have_unsaved_changes": "You have unsaved changes",
"edit_card_confirm_cancel": "Ertu viss um að þú viljir hætta við?",
@@ -1524,149 +1525,128 @@
"now": "Núna",
"compare_data": "Bera saman gögn",
"reload_ui": "Endurhlaða viðmóti",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
+ "home_assistant_api": "Home Assistant API",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
"tag": "Tags",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
+ "fan": "Vifta",
"scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
- "home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
- "fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Samtal",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Loftslag",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Samtal",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Loftslag",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
- "closed": "Lokað",
+ "closed": "Closed",
"overheated": "Overheated",
"temperature_warning": "Temperature warning",
- "update_available": "Update available",
+ "update_available": "Uppfærsla í boði",
"dry": "Dry",
"wet": "Blautt",
"pan_left": "Pan left",
@@ -1688,6 +1668,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1713,30 +1694,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Næsta birting",
- "next_dusk": "Næsta myrkur",
- "next_midnight": "Næsta miðnætti",
- "next_noon": "Næsta hádegi",
- "next_rising": "Næsta sólris",
- "next_setting": "Næsta sólarlag",
- "solar_elevation": "Sólarhæð",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth merki",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1758,34 +1725,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU prósent",
- "disk_free": "Diskapláss laust",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Minni prósent",
- "version": "Version",
- "newest_version": "Nýjasta útgáfa",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "connected": "Tengdur",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1859,6 +1868,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1909,7 +1919,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi merki",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1926,6 +1935,48 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU prósent",
+ "disk_free": "Diskapláss laust",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Minni prósent",
+ "version": "Version",
+ "newest_version": "Nýjasta útgáfa",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Næsta birting",
+ "next_dusk": "Næsta myrkur",
+ "next_midnight": "Næsta miðnætti",
+ "next_noon": "Næsta hádegi",
+ "next_rising": "Næsta sólris",
+ "next_setting": "Næsta sólarlag",
+ "solar_elevation": "Sólarhæð",
+ "solar_rising": "Solar rising",
"heavy": "Þungt",
"mild": "Vægt",
"button_down": "Button down",
@@ -1942,75 +1993,254 @@
"not_completed": "Not completed",
"pending": "Bíður",
"checking": "Checking",
- "closing": "Lokast",
+ "closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth merki",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "connected": "Tengdur",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopp",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -2043,83 +2273,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Núverandi rakastig",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Miðja",
- "top": "Top",
- "current_action": "Núverandi aðgerð",
- "cooling": "Kæling",
- "defrosting": "Defrosting",
- "drying": "Þurrkun",
- "heating": "Kynding",
- "preheating": "Preheating",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Svefn",
- "presets": "Forstillingar",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Bæði",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Hleður ekki",
- "disconnected": "Ótengdur",
- "hot": "Heitt",
- "no_light": "Ekkert ljós",
- "light_detected": "Ljós fannst",
- "locked": "Læstur",
- "unlocked": "Ólæst",
- "not_moving": "Engin hreyfing",
- "unplugged": "Aftengdur",
- "not_running": "Ekki í gangi",
- "safe": "Öruggt",
- "unsafe": "Óöruggt",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Yfir sjóndeildarhring",
- "below_horizon": "Undir sjóndeildarhring",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Biðstaða",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2135,13 +2294,35 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "available_tones": "Available tones",
"docked": "Docked",
"mowing": "Mowing",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Heiðskírt, nótt",
"cloudy": "Skýjað",
"exceptional": "Exceptional",
@@ -2164,26 +2345,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Á verði úti",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Á verði heima",
- "armed_night": "Á verði nótt",
- "armed_vacation": "Armed vacation",
- "disarming": "Tek af verði",
- "triggered": "Ræst",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2192,65 +2356,111 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locked": "Læst",
+ "locking": "Locking",
+ "unlocked": "Ólæst",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Núverandi rakastig",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Miðja",
+ "top": "Top",
+ "current_action": "Núverandi aðgerð",
+ "cooling": "Kæling",
+ "defrosting": "Defrosting",
+ "drying": "Þurrkun",
+ "heating": "Kynding",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Svefn",
+ "presets": "Forstillingar",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Bæði",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Bílskúr",
+ "not_charging": "Hleður ekki",
+ "disconnected": "Ótengdur",
+ "hot": "Heitt",
+ "no_light": "Ekkert ljós",
+ "light_detected": "Ljós fannst",
+ "not_moving": "Engin hreyfing",
+ "unplugged": "Aftengdur",
+ "not_running": "Ekki í gangi",
+ "safe": "Öruggt",
+ "unsafe": "Óöruggt",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Biðstaða",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Bílskúr",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Yfir sjóndeildarhring",
+ "below_horizon": "Undir sjóndeildarhring",
+ "armed_away": "Á verði úti",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Á verði heima",
+ "armed_night": "Á verði nótt",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Tek af verði",
+ "triggered": "Ræst",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2261,27 +2471,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2289,68 +2501,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2377,48 +2548,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Bridge is already configured",
- "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Couldn't get an API key",
- "link_with_deconz": "Link with deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2426,155 +2596,135 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "Bridge is already configured",
+ "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Couldn't get an API key",
+ "link_with_deconz": "Link with deCONZ",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
"broker_options": "Broker options",
"enable_birth_message": "Enable birth message",
"birth_message_payload": "Birth message payload",
@@ -2590,13 +2740,44 @@
"will_message_topic": "Will message topic",
"data_description_discovery": "Option to enable MQTT automatic discovery.",
"mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2604,26 +2785,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} er slökkt",
- "entity_name_is_on": "{entity_name} er kveikt",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2718,6 +2984,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
+ "increase_entity_name_brightness": "Increase {entity_name} brightness",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} er slökkt",
+ "entity_name_is_on": "{entity_name} er kveikt",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "First button",
+ "second_button": "Second button",
+ "third_button": "Third button",
+ "fourth_button": "Fourth button",
+ "fifth_button": "Fifth button",
+ "sixth_button": "Sixth button",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} er heima",
+ "entity_name_is_not_home": "{entity_name} er ekki heima",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} er að þrífa",
+ "entity_name_is_docked": "{entity_name} is docked",
+ "entity_name_started_cleaning": "{entity_name} started cleaning",
+ "entity_name_docked": "{entity_name} docked",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} er læst",
+ "entity_name_is_open": "{entity_name} er opin",
+ "entity_name_is_unlocked": "{entity_name} er ólæst",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opnuð",
+ "entity_name_unlocked": "{entity_name} unlocked",
"action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
"change_preset_on_entity_name": "Change preset on {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2725,8 +3044,22 @@
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Close {entity_name} tilt",
+ "open_entity_name_tilt": "Open {entity_name} tilt",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Set {entity_name} tilt position",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} er lokuð",
+ "entity_name_is_closing": "{entity_name} er að loka",
+ "entity_name_is_opening": "{entity_name} er að opnast",
+ "current_entity_name_position_is": "Current {entity_name} position is",
+ "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
+ "entity_name_closed": "{entity_name} lokuð",
+ "entity_name_closing": "{entity_name} closing",
+ "entity_name_opening": "{entity_name} opening",
+ "entity_name_position_changes": "{entity_name} position changes",
+ "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
"entity_name_battery_is_low": "{entity_name} rafhlaðan er lítil",
"entity_name_is_charging": "{entity_name} er að hlaða",
"condition_type_is_co": "{entity_name} skynjaði kolmónoxið",
@@ -2735,7 +3068,6 @@
"entity_name_is_detecting_gas": "{entity_name} skynjaði gas",
"entity_name_is_hot": "{entity_name} er heitt",
"entity_name_is_detecting_light": "{entity_name} skynjaði ljós",
- "entity_name_is_locked": "{entity_name} er læst",
"entity_name_is_moist": "{entity_name} er rakt",
"entity_name_is_detecting_motion": "{entity_name} skynjaði hreyfingu",
"entity_name_is_moving": "{entity_name} er á hreyfingu",
@@ -2753,18 +3085,15 @@
"entity_name_is_not_cold": "{entity_name} er ekki kalt",
"entity_name_is_unplugged": "{entity_name} er aftengt",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} er ólæst",
"entity_name_is_dry": "{entity_name} er þurr",
"entity_name_is_not_moving": "{entity_name} hreyfist ekki",
"entity_name_is_not_occupied": "{entity_name} er ekki upptekið",
- "entity_name_is_closed": "{entity_name} er lokaður",
"entity_name_is_not_powered": "{entity_name} er ekki í gangi",
"entity_name_is_not_present": "{entity_name} er ekki til staðar",
"entity_name_is_not_running": "{entity_name} er ekki keyrandi",
"condition_type_is_not_tampered": "{entity_name} skynjaði ekki fikt",
"entity_name_is_safe": "{entity_name} er öruggt",
"entity_name_is_occupied": "{entity_name} er upptekið",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_powered": "{entity_name} er í gangi",
"entity_name_is_present": "{entity_name} er til staðar",
"entity_name_is_detecting_problem": "{entity_name} skynjaði vandamál",
@@ -2783,7 +3112,6 @@
"entity_name_started_detecting_gas": "{entity_name} byrjaði að skynja gas",
"entity_name_became_hot": "{entity_name} varð heitt",
"entity_name_started_detecting_light": "{entity_name} started detecting light",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} byrjaði að skynja hreyfingu",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2794,18 +3122,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} hætti að greina reyk",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} varð ekki heitt",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} lokaður",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
@@ -2813,54 +3138,23 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} plugged in",
"entity_name_powered": "{entity_name} powered",
"entity_name_present": "{entity_name} present",
"entity_name_started_detecting_problem": "{entity_name} byrjaði að skynja vandamál",
"entity_name_started_running": "{entity_name} started running",
- "entity_name_started_detecting_smoke": "{entity_name} byrjaði að greina reyk",
- "entity_name_started_detecting_sound": "{entity_name} started detecting sound",
- "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
- "entity_name_became_unsafe": "{entity_name} became unsafe",
- "trigger_type_update": "{entity_name} got an update available",
- "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
- "entity_name_is_buffering": "{entity_name} er að hlaða biðminni",
- "entity_name_is_idle": "{entity_name} er aðgerðalaus",
- "entity_name_is_paused": "{entity_name} is paused",
- "entity_name_is_playing": "{entity_name} er að spila",
- "entity_name_starts_buffering": "{entity_name} starts buffering",
- "entity_name_becomes_idle": "{entity_name} becomes idle",
- "entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} er heima",
- "entity_name_is_not_home": "{entity_name} er ekki heima",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
- "increase_entity_name_brightness": "Increase {entity_name} brightness",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Disarm {entity_name}",
- "trigger_entity_name": "Trigger {entity_name}",
- "entity_name_is_armed_away": "{entity_name} er á verði úti",
- "entity_name_is_armed_home": "{entity_name} er á verði heima",
- "entity_name_is_armed_night": "{entity_name} er á verði nótt",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} er ekki á verði",
- "entity_name_is_triggered": "{entity_name} er ræst",
- "entity_name_armed_away": "{entity_name} á verði úti",
- "entity_name_armed_home": "{entity_name} á verði heima",
- "entity_name_armed_night": "{entity_name} á verði nótt",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} ekki á verði",
- "entity_name_triggered": "{entity_name} triggered",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "entity_name_started_detecting_smoke": "{entity_name} byrjaði að greina reyk",
+ "entity_name_started_detecting_sound": "{entity_name} started detecting sound",
+ "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
+ "entity_name_became_unsafe": "{entity_name} became unsafe",
+ "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
+ "entity_name_is_buffering": "{entity_name} er að hlaða biðminni",
+ "entity_name_is_idle": "{entity_name} er aðgerðalaus",
+ "entity_name_is_paused": "{entity_name} is paused",
+ "entity_name_is_playing": "{entity_name} er að spila",
+ "entity_name_starts_buffering": "{entity_name} starts buffering",
+ "entity_name_becomes_idle": "{entity_name} becomes idle",
+ "entity_name_starts_playing": "{entity_name} starts playing",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2870,43 +3164,14 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Close {entity_name} tilt",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Open {entity_name} tilt",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Set {entity_name} tilt position",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} er að loka",
- "entity_name_is_opening": "{entity_name} er að opnast",
- "current_entity_name_position_is": "Current {entity_name} position is",
- "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
- "entity_name_closing": "{entity_name} closing",
- "entity_name_opening": "{entity_name} opening",
- "entity_name_position_changes": "{entity_name} position changes",
- "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fimmti hnappur",
- "sixth_button": "Sjötti hnappur",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
- "both_buttons": "Báðir hnappar",
+ "both_buttons": "Both buttons",
"bottom_buttons": "Neðri hnappar",
"seventh_button": "Sjöundi hnappur",
"eighth_button": "Áttundi hnappur",
"dim_down": "Dim down",
"dim_up": "Dim up",
- "left": "Vinstri",
- "right": "Hægri",
+ "left": "Left",
+ "right": "Right",
"side": "Side 6",
"top_buttons": "Top buttons",
"device_awakened": "Device awakened",
@@ -2923,13 +3188,6 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} er að þrífa",
- "entity_name_is_docked": "{entity_name} is docked",
- "entity_name_started_cleaning": "{entity_name} started cleaning",
- "entity_name_docked": "{entity_name} docked",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2940,29 +3198,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Disarm {entity_name}",
+ "trigger_entity_name": "Trigger {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} er á verði úti",
+ "entity_name_is_armed_home": "{entity_name} er á verði heima",
+ "entity_name_is_armed_night": "{entity_name} er á verði nótt",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} er ekki á verði",
+ "entity_name_is_triggered": "{entity_name} er ræst",
+ "entity_name_armed_away": "{entity_name} á verði úti",
+ "entity_name_armed_home": "{entity_name} á verði heima",
+ "entity_name_armed_night": "{entity_name} á verði nótt",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} ekki á verði",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "Device dropped",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Device tilted",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3093,52 +3376,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3155,6 +3408,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3165,102 +3419,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3273,25 +3436,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3317,27 +3525,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3376,40 +3865,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3417,77 +3872,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3496,83 +3890,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/it/it.json b/packages/core/src/hooks/useLocale/locales/it/it.json
index 78b7d34e..9261cf5b 100644
--- a/packages/core/src/hooks/useLocale/locales/it/it.json
+++ b/packages/core/src/hooks/useLocale/locales/it/it.json
@@ -70,7 +70,7 @@
"increment": "Incrementa",
"decrement": "Decrementa",
"reset": "Ripristina",
- "position": "Posizione",
+ "position": "Position",
"tilt_position": "Posizione di inclinazione",
"open_cover": "Apri la serranda",
"close_cover": "Chiudi la serranda",
@@ -84,7 +84,7 @@
"back": "Indietro",
"medium": "Medio",
"target_humidity": "Umidità desiderata.",
- "state": "Stato",
+ "state": "State",
"name_target_humidity": "{name} umidità desiderata",
"name_current_humidity": "{name} umidità attuale",
"name_humidifying": "{name} in umidificazione",
@@ -95,12 +95,12 @@
"pause": "Pausa",
"return_home": "Ritorna alla base",
"brightness": "Brightness",
- "color_temperature": "Color temperature",
+ "color_temperature": "Temperatura di colore",
"white_brightness": "Luminosità del bianco",
"color_brightness": "Luminosità del colore",
"cold_white_brightness": "Luminosità bianca fredda",
"warm_white_brightness": "Luminosità bianca calda",
- "effect": "Effect",
+ "effect": "Effetto",
"lock": "Blocca",
"unlock": "Sblocca",
"open": "Apri",
@@ -125,7 +125,7 @@
"text_to_speak": "Testo da leggere",
"nothing_playing": "Niente in riproduzione",
"remove": "Rimuovi",
- "trigger": "Attiva",
+ "activate": "Attiva",
"run": "Esegui",
"running": "In esecuzione",
"queued_queued": "{queued} in coda",
@@ -217,7 +217,7 @@
"copied_to_clipboard": "Copiato negli appunti",
"name": "Nome",
"optional": "facoltativo",
- "default": "Default",
+ "default": "Predefinito",
"select_media_player": "Seleziona il lettore multimediale",
"media_browse_not_supported": "Il lettore multimediale non supporta la navigazione nei contenuti multimediali.",
"pick_media": "Seleziona file multimediali",
@@ -246,6 +246,7 @@
"entity": "Entità",
"floor": "Piano",
"icon": "Icona",
+ "location": "Posizione",
"number": "Numero",
"object": "Oggetto",
"rgb_color": "Colore RGB",
@@ -258,6 +259,7 @@
"learn_more_about_templating": "Ulteriori informazioni sui modelli",
"show_password": "Mostra password",
"hide_password": "Nascondi password",
+ "ui_components_selectors_background_yaml_info": "L'immagine di sfondo è impostata tramite l'editor yaml.",
"no_logbook_events_found": "Non sono stati trovati eventi nel registro.",
"triggered_by": "attivato da",
"triggered_by_automation": "attivato dall'automazione",
@@ -459,7 +461,7 @@
"dark_grey": "Grigio scuro",
"blue_grey": "Grigio blu",
"black": "Nero",
- "white": "White",
+ "white": "Bianco",
"ui_components_color_picker_default_color": "Colore predefinito (stato)",
"start_date": "Data di inizio",
"end_date": "Data di fine",
@@ -564,7 +566,7 @@
"url": "URL",
"video": "Video",
"media_browser_media_player_unavailable": "Il lettore multimediale selezionato non è disponibile.",
- "auto": "Automatico",
+ "auto": "Auto",
"grid": "Griglia",
"list": "Lista",
"task_name": "Nome attività",
@@ -610,7 +612,7 @@
"on": "Acceso/a",
"end_on": "Termina il",
"end_after": "Termina dopo",
- "occurrences": "occurrences",
+ "occurrences": "occorrenze",
"every": "ogni",
"years": "anni",
"year": "Anno",
@@ -620,7 +622,7 @@
"weekday": "giorno feriale",
"until": "fino a",
"for": "per",
- "in": "Tra",
+ "in": "In",
"on_the": "di",
"or": "Oppure",
"at": "alle",
@@ -742,6 +744,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Crea backup prima dell'aggiornamento",
"update_instructions": "Istruzioni per l'aggiornamento",
"current_activity": "Attività attuale",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Comandi dell'aspirapolvere:",
"fan_speed": "Velocità della ventola",
"clean_spot": "Pulisci macchia",
@@ -796,7 +799,7 @@
"cold": "Freddo",
"connectivity": "Connettività",
"gas": "Gas",
- "heat": "Calore",
+ "hot": "Caldo",
"light": "Luce",
"motion": "Movimento",
"moving": "In movimento",
@@ -815,7 +818,7 @@
"awning": "Tenda da sole",
"blind": "Veneziana",
"curtain": "Tenda",
- "damper": "Valvola",
+ "damper": "Valvola a saracinesca",
"shutter": "Tapparella",
"outlet": "Presa",
"this_entity_is_unavailable": "Questa entità non è disponibile.",
@@ -856,9 +859,9 @@
"unsupported": "Non supportato",
"more_info_about_entity": "Ulteriori informazioni sull'entità",
"restart_home_assistant": "Riavvia Home Assistant?",
- "advanced_options": "Advanced options",
+ "advanced_options": "Opzioni avanzate",
"quick_reload": "Riavvio rapido",
- "reload_description": "Ricarica tutti gli script disponibili.",
+ "reload_description": "Ricarica i timer dalla configurazione YAML.",
"reloading_configuration": "Ricarica configurazione",
"failed_to_reload_configuration": "Impossibile ricaricare la configurazione",
"restart_description": "Interrompe tutte le automazioni e gli script in esecuzione.",
@@ -885,8 +888,8 @@
"password": "Password",
"regex_pattern": "Modello di espressione regolare",
"used_for_client_side_validation": "Utilizzato per la convalida lato client",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Campo di immissione",
"slider": "Cursore",
"step_size": "Dimensione del passo",
@@ -931,7 +934,7 @@
"ui_dialogs_zha_device_info_confirmations_remove": "Sei sicuro di voler rimuovere il dispositivo?",
"quirk": "Quirk",
"last_seen": "Visto l'ultima volta",
- "power_source": "Sorgente di alimentazione",
+ "power_source": "Power source",
"change_device_name": "Cambia il nome del dispositivo",
"device_debug_info": "Informazioni di debug per {device}",
"mqtt_device_debug_info_deserialize": "Tentativo di interpretare i messaggi MQTT come JSON",
@@ -1002,13 +1005,13 @@
"ui_dialogs_dialog_ip_detail_ipv": "IPv6",
"ui_dialogs_dialog_ip_detail_method": "Metodo: {method}",
"ui_dialogs_dialog_ip_detail_nameservers": "Server dei nomi: {nameservers}",
- "monday": "Monday",
- "tuesday": "Tuesday",
- "wednesday": "Wednesday",
- "thursday": "Thursday",
- "friday": "Friday",
- "saturday": "Saturday",
- "sunday": "Sunday",
+ "monday": "Lunedì",
+ "tuesday": "Martedì",
+ "wednesday": "Mercoledì",
+ "thursday": "Giovedì",
+ "friday": "Venerdì",
+ "saturday": "Sabato",
+ "sunday": "Domenica",
"visual_editor_not_supported": "Editor visuale non supportato",
"configuration_error": "Errore di configurazione",
"no_type_provided": "Nessun tipo fornito.",
@@ -1023,7 +1026,7 @@
"check_the_system_health": "Controlla l'integrità del sistema",
"remember": "Ricordami",
"log_in": "Accedi",
- "notification_drawer_click_to_configure": "Click button to configure {entity}",
+ "notification_drawer_click_to_configure": "Premi il pulsante per configurare {entity}",
"no_notifications": "Nessuna notifica",
"notifications": "Notifiche",
"dismiss_all": "Rimuovi tutto",
@@ -1207,7 +1210,7 @@
"ui_panel_lovelace_editor_edit_view_type_warning_others": "Non è possibile cambiare il tipo di visualizzazione perché la funzione di migrazione non è ancora disponibile. Se desideri utilizzare un tipo di visualizzazione diverso, dovrai creare una nuova vista da zero.",
"card_configuration": "Configurazione della scheda",
"type_card_configuration": "Configurazione scheda {type}",
- "edit_card_pick_card": "Quale scheda vorresti aggiungere?",
+ "edit_card_pick_card": "Which card would you like to add?",
"toggle_editor": "attiva/disattiva editor",
"you_have_unsaved_changes": "Hai modifiche non salvate",
"edit_card_confirm_cancel": "Sei sicuro di voler annullare?",
@@ -1418,6 +1421,7 @@
"vertical": "Verticale",
"hide_state": "Nascondi lo stato",
"ui_panel_lovelace_editor_card_tile_actions": "Azioni",
+ "ui_panel_lovelace_editor_card_tile_state_content_options_state": "Stato",
"vertical_stack": "Pila Verticale",
"weather_forecast": "Previsioni del tempo",
"weather_to_show": "Meteo da mostrare",
@@ -1504,7 +1508,6 @@
"type_element_editor": "{type} Editor elemento",
"ui_panel_lovelace_editor_sub_element_editor_types_heading_entity": "Editor di entità",
"yellow_green": "Giallo verde",
- "ui_panel_lovelace_editor_color_picker_colors_white": "Bianco",
"ui_panel_lovelace_editor_edit_section_title_title": "Modifica nome",
"ui_panel_lovelace_editor_edit_section_title_title_new": "Aggiungi nome",
"warning_attribute_not_found": "Attributo {attribute} non disponibile in: {entity}",
@@ -1516,139 +1519,118 @@
"now": "Adesso",
"compare_data": "Confronta i dati",
"reload_ui": "Ricarica l'interfaccia utente",
- "input_datetime": "Input di data/ora",
- "solis_inverter": "Solis Inverter",
- "scene": "Scena",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Temporizzatore",
- "local_calendar": "Calendario locale",
- "intent": "Intent",
- "device_tracker": "Localizzatore di dispositivo",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input booleano",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "App per dispositivi mobili",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostica",
+ "filesize": "Dimensione file",
+ "group": "Gruppo",
+ "binary_sensor": "Sensore binario",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input selezione",
+ "device_automation": "Device Automation",
+ "person": "Persona",
+ "input_button": "Pulsante di input",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Registratore",
"fan": "Ventilatore",
- "weather": "Tempo atmosferico",
- "camera": "Telecamera",
+ "scene": "Scena",
"schedule": "Calendarizzazione",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automazione",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Tempo atmosferico",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversazione",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input di testo",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climatizzatore",
- "binary_sensor": "Sensore binario",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automazione",
+ "system_log": "System Log",
+ "cover": "Copertura",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valvola",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Copertura",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Calendario locale",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Sirena",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Tosaerba",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "auth": "Auth",
- "event": "Evento",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Localizzatore di dispositivo",
+ "remote": "Telecomando",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Interruttore",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Aspirapolvere",
+ "reolink": "Reolink",
+ "camera": "Telecamera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Telecomando",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Contatore",
- "filesize": "Dimensione file",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input numerico",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Controllo alimentazione Raspberry Pi",
+ "conversation": "Conversazione",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climatizzatore",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input booleano",
- "lawn_mower": "Tosaerba",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Evento",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Pannello di controllo degli allarmi",
- "input_select": "Input selezione",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "App per dispositivi mobili",
+ "timer": "Temporizzatore",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Interruttore",
+ "input_datetime": "Input di data/ora",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Contatore",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Credenziali dell'applicazione",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Gruppo",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostica",
- "person": "Persona",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input di testo",
"localtuya": "LocalTuya",
- "blueprint": "Blueprint",
- "input_number": "Input numerico",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Credenziali dell'applicazione",
- "siren": "Sirena",
- "bluetooth": "Bluetooth",
- "logger": "Registratore",
- "input_button": "Pulsante di input",
- "vacuum": "Aspirapolvere",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Controllo alimentazione Raspberry Pi",
- "assist_satellite": "Assist satellite",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Livello della batteria",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1677,6 +1659,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Livello della batteria",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Consumo totale",
@@ -1693,7 +1676,7 @@
"auto_off_enabled": "Auto off enabled",
"auto_update_enabled": "Aggiornamento automatico abilitato",
"baby_cry_detection": "Baby cry detection",
- "child_lock": "Child lock",
+ "child_lock": "Blocco bambini",
"fan_sleep_mode": "Fan sleep mode",
"led": "LED",
"motion_detection": "Rilevamento del movimento",
@@ -1701,31 +1684,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Prossima alba",
- "next_dusk": "Prossimo crepuscolo",
- "next_midnight": "Prossima mezzanotte",
- "next_noon": "Prossimo mezzogiorno",
- "next_rising": "Prossima levata",
- "next_setting": "Prossimo tramonto",
- "solar_azimuth": "Azimut solare",
- "solar_elevation": "Elevazione solare",
- "solar_rising": "Sorgere del sole",
- "day_of_week": "Day of week",
- "illuminance": "Illuminamento",
- "noise": "Rumore",
- "overload": "Sovraccarico",
- "working_location": "Luogo di lavoro",
- "created": "Created",
- "size": "Dimensione",
- "size_in_bytes": "Dimensione in byte",
- "compressor_energy_consumption": "Consumo energetico del compressore",
- "compressor_estimated_power_consumption": "Consumo energetico stimato del compressore",
- "compressor_frequency": "Frequenza del compressore",
- "cool_energy_consumption": "Consumo di energia per raffreddare",
- "energy_consumption": "Consumo di energia",
- "heat_energy_consumption": "Consumo di energia per riscaldare",
- "inside_temperature": "Temperatura interna",
- "outside_temperature": "Temperatura esterna",
+ "calibration": "Calibrazione",
+ "auto_lock_paused": "Blocco automatico in pausa",
+ "timeout": "Tempo scaduto",
+ "unclosed_alarm": "Allarme non chiuso",
+ "unlocked_alarm": "Allarme sbloccato",
+ "bluetooth_signal": "Segnale Bluetooth",
+ "light_level": "Livello di luce",
+ "wi_fi_signal": "Segnale Wi Fi",
+ "momentary": "Momentaneo",
+ "pull_retract": "Tirare/ritrarre",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1747,34 +1715,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in corso",
- "preferred": "Preferito",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "Versione dell'agente del sistema operativo",
- "apparmor_version": "Versione Apparmor",
- "cpu_percent": "Percentuale CPU",
- "disk_free": "Disco libero",
- "disk_total": "Disco totale",
- "disk_used": "Disco utilizzato",
- "memory_percent": "Percentuale di memoria",
- "version": "Versione",
- "newest_version": "Versione più recente",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminamento",
+ "noise": "Rumore",
+ "overload": "Sovraccarico",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Sincronizza i dispositivi",
- "estimated_distance": "Distanza stimata",
- "vendor": "Venditore",
- "quiet": "Tranquillo",
- "wake_word": "Parola di attivazione",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Spento/a",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Ultima attività",
+ "last_ding": "Ultimo ding",
+ "last_motion": "Ultimo movimento",
+ "wi_fi_signal_category": "Categoria del segnale Wi-Fi",
+ "wi_fi_signal_strength": "Potenza del segnale Wi-Fi",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Consumo energetico del compressore",
+ "compressor_estimated_power_consumption": "Consumo energetico stimato del compressore",
+ "compressor_frequency": "Frequenza del compressore",
+ "cool_energy_consumption": "Consumo di energia per raffreddare",
+ "energy_consumption": "Consumo di energia",
+ "heat_energy_consumption": "Consumo di energia per riscaldare",
+ "inside_temperature": "Temperatura interna",
+ "outside_temperature": "Temperatura esterna",
+ "device_admin": "Amministratore del dispositivo",
+ "kiosk_mode": "Modalità Kiosk",
+ "plugged_in": "Collegato",
+ "load_start_url": "Carica l'URL iniziale",
+ "restart_browser": "Riavvia il browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Invia allo sfondo",
+ "bring_to_foreground": "Porta in primo piano",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Luminosità dello schermo",
+ "screen_off_timer": "Timer spegnimento schermo",
+ "screensaver_brightness": "Luminosità del salvaschermo",
+ "screensaver_timer": "Timer del salvaschermo",
+ "current_page": "Pagina corrente",
+ "foreground_app": "App in primo piano",
+ "internal_storage_free_space": "Spazio libero di archiviazione interna",
+ "internal_storage_total_space": "Spazio totale di archiviazione interna",
+ "free_memory": "Memoria libera",
+ "total_memory": "Memoria totale",
+ "screen_orientation": "Orientamento schermo",
+ "kiosk_lock": "Blocca Kiosk",
+ "maintenance_mode": "Modalità di manutenzione",
+ "screensaver": "Salvaschermo",
"animal": "Animale",
"detected": "Rilevato",
"animal_lens": "Lente animale 1",
@@ -1847,6 +1857,7 @@
"pir_sensitivity": "Sensibilità PIR",
"zoom": "Zoom",
"auto_quick_reply_message": "Messaggio di risposta rapida automatica",
+ "off": "Spento",
"auto_track_method": "Metodo di tracciamento automatico",
"digital": "Digitale",
"digital_first": "Digitale per primo",
@@ -1870,7 +1881,7 @@
"good_day": "Good day",
"hop_hop": "Hop hop",
"loop": "Loop",
- "moonlight": "Moonlight",
+ "moonlight": "Chiaro di luna",
"operetta": "Operetta",
"original_tune": "Melodia originale",
"piano_key": "Tasto del pianoforte",
@@ -1897,7 +1908,6 @@
"ptz_pan_position": "Posizione orizzontale PTZ",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "Memoria SD {hdd_index}",
- "wi_fi_signal": "Segnale Wi Fi",
"auto_focus": "Messa a fuoco automatica",
"auto_tracking": "Tracciamento automatico",
"doorbell_button_sound": "Suono del pulsante del campanello",
@@ -1914,6 +1924,49 @@
"record": "Registrazione",
"record_audio": "Registra audio",
"siren_on_event": "Sirena su evento",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Dimensione",
+ "size_in_bytes": "Dimensione in byte",
+ "assist_in_progress": "Assist in corso",
+ "quiet": "Tranquillo",
+ "preferred": "Preferito",
+ "finished_speaking_detection": "Rilevamento vocale terminato",
+ "aggressive": "Aggressivo",
+ "relaxed": "Rilassato",
+ "wake_word": "Parola di attivazione",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "Versione dell'agente del sistema operativo",
+ "apparmor_version": "Versione Apparmor",
+ "cpu_percent": "Percentuale CPU",
+ "disk_free": "Disco libero",
+ "disk_total": "Disco totale",
+ "disk_used": "Disco utilizzato",
+ "memory_percent": "Percentuale di memoria",
+ "version": "Versione",
+ "newest_version": "Versione più recente",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Byte ricevuti",
+ "server_country": "Nazione del server",
+ "server_id": "ID server",
+ "server_name": "Nome del server",
+ "ping": "Ping",
+ "upload": "Carica",
+ "bytes_sent": "Byte inviati",
+ "working_location": "Luogo di lavoro",
+ "next_dawn": "Prossima alba",
+ "next_dusk": "Prossimo crepuscolo",
+ "next_midnight": "Prossima mezzanotte",
+ "next_noon": "Prossimo mezzogiorno",
+ "next_rising": "Prossima levata",
+ "next_setting": "Prossimo tramonto",
+ "solar_azimuth": "Azimut solare",
+ "solar_elevation": "Elevazione solare",
+ "solar_rising": "Sorgere del sole",
"heavy": "Pesante",
"mild": "Lieve",
"button_down": "Pulsante giù",
@@ -1929,72 +1982,253 @@
"warm_up": "Riscaldamento",
"not_completed": "Non completato",
"checking": "In verifica",
- "closing": "In chiusura",
+ "closing": "Closing",
"opened": "Aperta",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Ultima attività",
- "last_ding": "Ultimo ding",
- "last_motion": "Ultimo movimento",
- "wi_fi_signal_category": "Categoria del segnale Wi-Fi",
- "wi_fi_signal_strength": "Potenza del segnale Wi-Fi",
- "in_home_chime": "In-home chime",
- "calibration": "Calibrazione",
- "auto_lock_paused": "Blocco automatico in pausa",
- "timeout": "Tempo scaduto",
- "unclosed_alarm": "Allarme non chiuso",
- "unlocked_alarm": "Allarme sbloccato",
- "bluetooth_signal": "Segnale Bluetooth",
- "light_level": "Livello di luce",
- "momentary": "Momentaneo",
- "pull_retract": "Tirare/ritrarre",
- "bytes_received": "Byte ricevuti",
- "server_country": "Nazione del server",
- "server_id": "ID server",
- "server_name": "Nome del server",
- "ping": "Ping",
- "upload": "Carica",
- "bytes_sent": "Byte inviati",
- "device_admin": "Amministratore del dispositivo",
- "kiosk_mode": "Modalità Kiosk",
- "plugged_in": "Collegato",
- "load_start_url": "Carica l'URL iniziale",
- "restart_browser": "Riavvia il browser",
- "restart_device": "Riavvia il dispositivo",
- "send_to_background": "Invia allo sfondo",
- "bring_to_foreground": "Porta in primo piano",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Luminosità dello schermo",
- "screen_off_timer": "Timer spegnimento schermo",
- "screensaver_brightness": "Luminosità del salvaschermo",
- "screensaver_timer": "Timer del salvaschermo",
- "current_page": "Pagina corrente",
- "foreground_app": "App in primo piano",
- "internal_storage_free_space": "Spazio libero di archiviazione interna",
- "internal_storage_total_space": "Spazio totale di archiviazione interna",
- "free_memory": "Memoria libera",
- "total_memory": "Memoria totale",
- "screen_orientation": "Orientamento schermo",
- "kiosk_lock": "Blocca Kiosk",
- "maintenance_mode": "Modalità di manutenzione",
- "screensaver": "Salvaschermo",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "ID etichetta",
- "managed_via_ui": "Gestito tramite interfaccia utente",
- "model": "Modello",
- "minute": "Minuto",
- "second": "Secondo",
- "timestamp": "Marca temporale",
- "stopped": "Fermato/a",
+ "estimated_distance": "Distanza stimata",
+ "vendor": "Venditore",
+ "accelerometer": "Accelerometro",
+ "binary_input": "Ingresso binario",
+ "calibrated": "Calibrato",
+ "consumer_connected": "Consumatore connesso",
+ "external_sensor": "Sensore esterno",
+ "frost_lock": "Blocco antigelo",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "Zona IAS",
+ "linkage_alarm_state": "Stato di allarme del collegamento",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Sostituire il filtro",
+ "valve_alarm": "Allarme valvola",
+ "open_window_detection": "Open window detection",
+ "feed": "Alimentazione",
+ "frost_lock_reset": "Ripristino del blocco antigelo",
+ "presence_status_reset": "Ripristino dello stato di presenza",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Test di autodiagnosi",
+ "keen_vent": "Ventilazione Keen",
+ "fan_group": "Gruppo di ventole",
+ "light_group": "Gruppo di luci",
+ "door_lock": "Serratura",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Distanza di avvicinamento",
+ "automatic_switch_shutoff_timer": "Temporizzatore di spegnimento automatico",
+ "away_preset_temperature": "Temperatura preimpostata in assenza",
+ "boost_amount": "Boost amount",
+ "button_delay": "Ritardo del pulsante",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Velocità di spostamento predefinita",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Intervallo di rilevamento",
+ "local_dimming_down_speed": "Velocità di attenuazione locale",
+ "remote_dimming_down_speed": "Velocità di attenuazione remota",
+ "local_dimming_up_speed": "Velocità di intensificazione locale",
+ "remote_dimming_up_speed": "Velocità di intensificazione remota",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Doppio tocco livello inferiore",
+ "double_tap_up_level": "Doppio tocco livello superiore",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Durata del filtro",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Colore predefinito di tutti i LED spenti",
+ "led_color_when_on_name": "Colore predefinito di tutti i LED accesi",
+ "led_intensity_when_off_name": "Intensità predefinita di tutti i LED spenti",
+ "led_intensity_when_on_name": "Intensità predefinita di tutti i LED accesi",
+ "load_level_indicator_timeout": "Timeout dell'indicatore del livello di carico",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Livello massimo di attenuazione del carico",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Livello minimo di attenuazione del carico",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Tempo di transizione spento",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "A livello",
+ "on_off_transition_time": "Accendi/Spegni Tempo di transizione",
+ "on_transition_time": "Tempo di transizione acceso",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Peso della porzione",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Orario di avvio rapido",
+ "ramp_rate_off_to_on_local_name": "Velocità di rampa locale da spento a acceso",
+ "ramp_rate_off_to_on_remote_name": "Velocità di rampa remota da spento a acceso",
+ "ramp_rate_on_to_off_local_name": "Velocità di rampa locale da attiva a disattivata",
+ "ramp_rate_on_to_off_remote_name": "Velocità di rampa remota da attiva a disattivata",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Usato per erogare",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Temperatura di colore all'avvio",
+ "start_up_current_level": "Livello di corrente di avvio",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Durata del timer",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Potenza di trasmissione",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Modalità retroilluminazione",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Livello sirena predefinito",
+ "default_siren_tone": "Tono sirena predefinito",
+ "default_strobe": "Strobo predefinito",
+ "default_strobe_level": "Livello di strobo predefinito",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Uscita non neutra",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Modalità scala LED",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Modalità di monitoraggio",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Modalità di uscita",
+ "power_on_state": "Stato di accensione",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Livelli di visualizzazione a LED della ventola intelligente",
+ "start_up_behavior": "Comportamento all'avvio",
+ "switch_mode": "Switch mode",
+ "switch_type": "Tipo di interruttore",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Modalità tenda",
+ "ac_frequency": "Frequenza CA",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In corso",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Ingresso analogico",
+ "control_status": "Control status",
+ "device_run_time": "Tempo di esecuzione del dispositivo",
+ "device_temperature": "Temperatura del dispositivo",
+ "target_distance": "Target distance",
+ "filter_run_time": "Tempo di funzionamento del filtro",
+ "formaldehyde_concentration": "Concentrazione di formaldeide",
+ "hooks_state": "Hooks state",
+ "hvac_action": "Azione HVAC",
+ "instantaneous_demand": "Domanda istantanea",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Ultima dimensione di alimentazione",
+ "last_feeding_source": "Ultima fonte di alimentazione",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Bagnatura fogliare",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Distanza di movimento",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Porzioni erogate oggi",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Densità dei fumi",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Umidità del suolo",
+ "summation_delivered": "Sommatoria consegnata",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Sommatoria di livello 6 consegnata",
+ "timer_state": "Timer state",
+ "time_left": "Tempo rimasto",
+ "weight_dispensed_today": "Peso erogato oggi",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Scene di commutazione ausiliaria",
+ "binding_off_to_on_sync_level_name": "Collegamento da spento a acceso al livello di sincronizzazione",
+ "buzzer_manual_alarm": "Allarme manuale con cicalino",
+ "buzzer_manual_mute": "Silenziamento manuale del cicalino",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disattiva la configurazione tocca 2 volte per cancellare le notifiche",
+ "disable_led": "Disabilita LED",
+ "double_tap_down_enabled": "Doppio tocco verso il basso abilitato",
+ "double_tap_up_enabled": "Doppio tocco verso l'alto abilitato",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Abilita sirena",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "LED di avanzamento del firmware",
+ "heartbeat_indicator": "Indicatore del battito cardiaco",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Inverti l'interruttore",
+ "inverted": "Inverted",
+ "led_indicator": "Indicatore LED",
+ "linkage_alarm": "Allarme di collegamento",
+ "local_protection": "Protezione locale",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Solo 1 modalità LED",
+ "open_window": "Apri finestra",
+ "power_outage_memory": "Memoria per interruzione di corrente",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disabilita il clic del relè in modalità on off",
+ "smart_bulb_mode": "Modalità lampadina intelligente",
+ "smart_fan_mode": "Modalità ventola intelligente",
+ "led_trigger_indicator": "Indicatore di attivazione a LED",
+ "turbo_mode": "Modalità turbo",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Rilevamento della valvola",
+ "window_detection": "Rilevamento della finestra",
+ "invert_window_detection": "Inverti il rilevamento della finestra",
+ "available_tones": "Toni disponibili",
"device_trackers": "Localizzatori di dispositivi",
"gps_accuracy": "Precisione GPS",
- "paused": "In pausa",
- "finishes_at": "Finisce alle",
- "remaining": "Rimanente",
"last_reset": "Ultimo ripristino",
"possible_states": "Stati possibili",
"state_class": "Classe di stato",
@@ -2005,7 +2239,7 @@
"air_quality_index": "Indice di qualità dell'aria",
"blood_glucose_concentration": "Blood glucose concentration",
"carbon_dioxide": "Anidride carbonica",
- "conductivity": "Conductivity",
+ "conductivity": "Conduttività",
"data_rate": "Velocità dei dati",
"data_size": "Dimensione dei dati",
"distance": "Distanza",
@@ -2026,80 +2260,12 @@
"sound_pressure": "Pressione sonora",
"speed": "Velocità",
"sulphur_dioxide": "Anidride solforosa",
+ "timestamp": "Marca temporale",
"vocs": "COV",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Volume memorizzato",
"weight": "Peso",
- "fan_only": "Solo ventilatore",
- "heat_cool": "Calore/raffreddamento",
- "aux_heat": "Riscaldamento ausiliario",
- "current_humidity": "Umidità attuale",
- "current_temperature": "Temperatura attuale",
- "fan_mode": "Modalità ventola",
- "diffuse": "Diffuso",
- "middle": "Mezzo",
- "top": "Superiore",
- "current_action": "Azione in corso",
- "cooling": "In raffeddamento",
- "defrosting": "Defrosting",
- "drying": "In deumidificazione",
- "heating": "In riscaldamento",
- "preheating": "Preriscaldamento",
- "max_target_humidity": "Umidità desiderata massima",
- "max_target_temperature": "Temperatura desiderata massima",
- "min_target_humidity": "Umidità desiderata minima",
- "min_target_temperature": "Temperatura desiderata minima",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sonno",
- "presets": "Preimpostazioni",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Modalità di oscillazione",
- "both": "Entrambi",
- "horizontal": "Orizzontale",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Passo di temperatura desiderata",
- "step": "Passo",
- "not_charging": "Non in carica",
- "disconnected": "Disconnesso",
- "connected": "Connesso",
- "hot": "Caldo",
- "no_light": "Nessuna luce",
- "light_detected": "Luce rilevata",
- "locked": "Bloccato/a",
- "unlocked": "Sbloccato/a",
- "not_moving": "Non si muove",
- "unplugged": "Scollegato",
- "not_running": "Non in esecuzione",
- "safe": "Sicuro",
- "unsafe": "Non Sicuro",
- "tampering_detected": "Rilevata manomissione",
- "box": "Casella",
- "above_horizon": "Sopra l'orizzonte",
- "below_horizon": "Sotto l'orizzonte",
- "buffering": "Precaricamento",
- "app_id": "ID dell'app",
- "local_accessible_entity_picture": "Immagine dell'entità accessibile localmente",
- "group_members": "Membri del gruppo",
- "muted": "Disattivato",
- "album_artist": "Artista dell'album",
- "content_id": "ID contenuto",
- "content_type": "Tipo di contenuto",
- "channels": "Canali",
- "position_updated": "Posizione aggiornata",
- "series": "Serie",
- "all": "Tutti",
- "one": "Uno",
- "available_sound_modes": "Modalità audio disponibili",
- "available_sources": "Fonti disponibili",
- "receiver": "Ricevitore",
- "speaker": "Altoparlante",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Gestito tramite interfaccia utente",
"color_mode": "Modalità colore",
"brightness_only": "Solo luminosità",
"hs": "HS",
@@ -2115,13 +2281,34 @@
"minimum_color_temperature_kelvin": "Temperatura minima del colore (Kelvin)",
"minimum_color_temperature_mireds": "Temperatura minima del colore (mireds)",
"available_color_modes": "Modalità colore disponibili",
- "available_tones": "Toni disponibili",
"docked": "Alla base",
"mowing": "Falciatura",
+ "paused": "In pausa",
"returning": "Returning",
+ "model": "Modello",
+ "running_automations": "Automazioni in esecuzione",
+ "max_running_scripts": "Numero massimo di script in esecuzione",
+ "run_mode": "Modalità di esecuzione",
+ "parallel": "In parallelo",
+ "queued": "In coda",
+ "single": "Singola",
+ "auto_update": "Aggiornamento automatico",
+ "installed_version": "Versione installata",
+ "latest_version": "Ultima versione",
+ "release_summary": "Riepilogo della versione",
+ "release_url": "URL di rilascio",
+ "skipped_version": "Versione saltata",
+ "firmware": "Firmware",
"oscillating": "Oscillante",
"speed_step": "Passo di velocità",
"available_preset_modes": "Modalità preimpostate disponibili",
+ "minute": "Minuto",
+ "second": "Secondo",
+ "next_event": "Prossimo evento",
+ "step": "Passo",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Sereno, notte",
"cloudy": "Nuvoloso",
"exceptional": "Eccezionale",
@@ -2144,26 +2331,9 @@
"uv_index": "Indice UV",
"wind_bearing": "Direzione del vento",
"wind_gust_speed": "Velocità delle raffiche di vento",
- "auto_update": "Aggiornamento automatico",
- "in_progress": "In corso",
- "installed_version": "Versione installata",
- "latest_version": "Ultima versione",
- "release_summary": "Riepilogo della versione",
- "release_url": "URL di rilascio",
- "skipped_version": "Versione saltata",
- "firmware": "Firmware",
- "armed_away": "Attivo fuori casa",
- "armed_custom_bypass": "Attivo con esclusione personalizzata",
- "armed_home": "Attivo in casa",
- "armed_night": "Attivo notte",
- "armed_vacation": "Attivo in vacanza",
- "disarming": "In disattivazione",
- "triggered": "Innescato",
- "changed_by": "Modificato da",
- "code_for_arming": "Codice per l'inserimento",
- "not_required": "Non richiesto",
- "code_format": "Code format",
- "identify": "Identify",
+ "identify": "Identifica",
+ "cleaning": "In pulizia",
+ "returning_to_dock": "Ritornando alla base",
"recording": "In registrazione",
"streaming": "In trasmissione",
"access_token": "Token di accesso",
@@ -2171,94 +2341,140 @@
"stream_type": "Tipo di flusso",
"hls": "HLS",
"webrtc": "WebRTC",
- "end_time": "Orario di fine",
- "start_time": "Orario di inizio",
- "next_event": "Prossimo evento",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "ID etichetta",
+ "automatic": "Automatico",
+ "box": "Casella",
+ "jammed": "Inceppata",
+ "locked": "Bloccato/a",
+ "locking": "In chiusura",
+ "unlocked": "Sbloccato/a",
+ "unlocking": "In apertura",
+ "changed_by": "Modificato da",
+ "code_format": "Code format",
+ "members": "Membri",
+ "listening": "In ascolto",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max automazioni in esecuzione",
+ "fan_only": "Solo ventilatore",
+ "heat_cool": "Calore/raffreddamento",
+ "aux_heat": "Riscaldamento ausiliario",
+ "current_humidity": "Umidità attuale",
+ "current_temperature": "Temperatura attuale",
+ "fan_mode": "Modalità ventola",
+ "diffuse": "Diffuso",
+ "middle": "Mezzo",
+ "top": "Superiore",
+ "current_action": "Azione in corso",
+ "cooling": "In raffeddamento",
+ "defrosting": "Defrosting",
+ "drying": "In deumidificazione",
+ "heating": "In riscaldamento",
+ "preheating": "Preriscaldamento",
+ "max_target_humidity": "Umidità desiderata massima",
+ "max_target_temperature": "Temperatura desiderata massima",
+ "min_target_humidity": "Umidità desiderata minima",
+ "min_target_temperature": "Temperatura desiderata minima",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sonno",
+ "presets": "Preimpostazioni",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Modalità di oscillazione",
+ "both": "Entrambi",
+ "horizontal": "Orizzontale",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Passo di temperatura desiderata",
+ "stopped": "Stopped",
"garage": "Box auto",
+ "not_charging": "Non in carica",
+ "disconnected": "Disconnesso",
+ "connected": "Connesso",
+ "no_light": "Nessuna luce",
+ "light_detected": "Luce rilevata",
+ "not_moving": "Non si muove",
+ "unplugged": "Scollegato",
+ "not_running": "Non in esecuzione",
+ "safe": "Sicuro",
+ "unsafe": "Non Sicuro",
+ "tampering_detected": "Rilevata manomissione",
+ "buffering": "Precaricamento",
+ "app_id": "ID dell'app",
+ "local_accessible_entity_picture": "Immagine dell'entità accessibile localmente",
+ "group_members": "Membri del gruppo",
+ "muted": "Disattivato",
+ "album_artist": "Artista dell'album",
+ "content_id": "ID contenuto",
+ "content_type": "Tipo di contenuto",
+ "channels": "Canali",
+ "position_updated": "Posizione aggiornata",
+ "series": "Serie",
+ "all": "Tutti",
+ "one": "Uno",
+ "available_sound_modes": "Modalità audio disponibili",
+ "available_sources": "Fonti disponibili",
+ "receiver": "Ricevitore",
+ "speaker": "Altoparlante",
+ "tv": "TV",
+ "end_time": "Ora di fine",
+ "start_time": "Ora di inizio",
"event_type": "Tipo di evento",
"event_types": "Tipi di evento",
"doorbell": "Campanello",
- "running_automations": "Automazioni in esecuzione",
- "id": "ID",
- "max_running_automations": "Max automazioni in esecuzione",
- "run_mode": "Modalità di esecuzione",
- "parallel": "In parallelo",
- "queued": "In coda",
- "single": "Singola",
- "cleaning": "In pulizia",
- "returning_to_dock": "Ritornando alla base",
- "listening": "In ascolto",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Numero massimo di script in esecuzione",
- "jammed": "Inceppata",
- "unlocking": "In apertura",
- "members": "Membri",
- "known_hosts": "Host conosciuti",
- "google_cast_configuration": "Configurazione di Google Cast",
- "confirm_description": "Vuoi configurare {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "L'account è già configurato",
- "abort_already_in_progress": "Il flusso di configurazione è già in corso",
- "failed_to_connect": "Impossibile connettersi",
- "invalid_access_token": "Token di accesso non valido",
- "invalid_authentication": "Autenticazione non valida",
- "received_invalid_token_data": "Ricevuti dati token non validi.",
- "abort_oauth_failed": "Errore durante l'ottenimento del token di accesso.",
- "timeout_resolving_oauth_token": "Tempo scaduto durante la risoluzione del token OAuth.",
- "abort_oauth_unauthorized": "Errore di autorizzazione OAuth durante l'ottenimento del token di accesso.",
- "re_authentication_was_successful": "La riautenticazione ha avuto successo",
- "unexpected_error": "Errore imprevisto",
- "successfully_authenticated": "Autenticazione riuscita",
- "link_fitbit": "Collega Fitbit",
- "pick_authentication_method": "Scegli il metodo di autenticazione",
- "authentication_expired_for_name": "Autenticazione scaduta per {name}",
+ "above_horizon": "Sopra l'orizzonte",
+ "below_horizon": "Sotto l'orizzonte",
+ "armed_away": "Attivo fuori casa",
+ "armed_custom_bypass": "Attivo con esclusione personalizzata",
+ "armed_home": "Attivo in casa",
+ "armed_night": "Attivo notte",
+ "armed_vacation": "Attivo in vacanza",
+ "disarming": "In disattivazione",
+ "triggered": "Innescato",
+ "code_for_arming": "Codice per l'inserimento",
+ "not_required": "Non richiesto",
+ "finishes_at": "Finisce alle",
+ "remaining": "Rimanente",
"device_is_already_configured": "Il dispositivo è già configurato",
+ "failed_to_connect": "Impossibile connettersi",
"abort_no_devices_found": "Nessun dispositivo trovato sulla rete",
+ "re_authentication_was_successful": "La riautenticazione ha avuto successo",
"re_configuration_was_successful": "La riconfigurazione è stata completata con successo",
"connection_error_error": "Errore di connessione: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
"camera_stream_authentication_failed": "Camera stream authentication failed",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "Enable camera live view",
- "username": "Nome utente",
+ "username": "Username",
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Autenticazione scaduta per {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Già configurato. È possibile una sola configurazione.",
- "abort_already_configured": "Il dispositivo è già stato configurato.",
- "abort_device_updated": "La configurazione del dispositivo è stata aggiornata.",
- "failed_to_authenticate_msg": "Autenticazione fallita. Errore:\n{msg}",
- "error_device_list_failed": "Impossibile recuperare l'elenco dei dispositivi.\n{msg}",
- "cloud_api_account_configuration": "Configurazione dell'account Cloud API",
- "user_description": "Vuoi avviare la configurazione?",
- "api_server_region": "Regione del server API",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Non configurare l'account Cloud API",
- "service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "File .ics non valido",
- "calendar_name": "Nome del calendario",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Tipo di Switchbot non supportato.",
+ "unexpected_error": "Errore imprevisto",
+ "authentication_failed_error_detail": "Autenticazione non riuscita: {error_detail}",
+ "error_encryption_key_invalid": "L'ID chiave o la chiave crittografica non sono validi",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Vuoi configurare {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Chiave di cifratura",
+ "key_id": "Key ID",
+ "password_description": "Password con cui proteggere il backup.",
+ "mac_address": "Indirizzo MAC",
+ "service_is_already_configured": "Il servizio è già configurato",
+ "abort_already_in_progress": "Il flusso di configurazione è già in corso",
"abort_invalid_host": "Nome host o indirizzo IP non valido",
"device_not_supported": "Dispositivo non supportato",
+ "invalid_authentication": "Autenticazione non valida",
"name_model_at_host": "{name} ({model} presso {host})",
"authenticate_to_the_device": "Esegui l'autenticazione al dispositivo",
"finish_title": "Scegli un nome per il dispositivo",
@@ -2266,68 +2482,27 @@
"yes_do_it": "Sì, fallo.",
"unlock_the_device_optional": "Sblocca il dispositivo (opzionale)",
"connect_to_the_device": "Connettiti al dispositivo",
- "abort_missing_credentials": "L'integrazione richiede le credenziali dell'applicazione.",
- "timeout_establishing_connection": "Tempo scaduto per stabile la connessione.",
- "link_google_account": "Collega l'account Google",
- "path_is_not_allowed": "Il percorso non è consentito",
- "path_is_not_valid": "Il percorso non è valido",
- "path_to_file": "Percorso del file",
- "api_key": "Chiave API",
- "configure_daikin_ac": "Configura Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adattatore",
- "multiple_adapters_description": "Seleziona un adattatore Bluetooth da configurare",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Azione di attivazione",
- "value_template": "Value template",
- "template_alarm_control_panel": "Modello pannello di controllo allarme",
- "device_class": "Classe del dispositivo",
- "state_template": "Modello di stato",
- "template_binary_sensor": "Modello di sensore binario",
- "actions_on_press": "Azione alla pressione",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Modello di sensore",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Modello di un sensore binario",
- "template_a_button": "Template a button",
- "template_an_image": "Modello di un'immagine",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Modello di un sensore",
- "template_a_switch": "Template a switch",
- "template_helper": "Aiutante per i modelli",
- "invalid_host": "Nome host non valido.",
- "wrong_smartthings_token": "SmartThings token errato.",
- "error_st_device_not_found": "SmartThings TV deviceID non trovato.",
- "error_st_device_used": "SmartThings TV deviceID già utilizzato.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host o indirizzo IP",
- "data_name": "Nome dell'entità",
- "smartthings_generated_token_optional": "SmartThings token generato (opzionale)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Inserisci le credenziali per l'account Cloud API Tuya.",
+ "account_is_already_configured": "L'account è già configurato",
+ "invalid_access_token": "Token di accesso non valido",
+ "received_invalid_token_data": "Ricevuti dati token non validi.",
+ "abort_oauth_failed": "Errore durante l'ottenimento del token di accesso.",
+ "timeout_resolving_oauth_token": "Tempo scaduto durante la risoluzione del token OAuth.",
+ "abort_oauth_unauthorized": "Errore di autorizzazione OAuth durante l'ottenimento del token di accesso.",
+ "successfully_authenticated": "Autenticazione riuscita",
+ "link_fitbit": "Collega Fitbit",
+ "pick_authentication_method": "Scegli il metodo di autenticazione",
+ "two_factor_code": "Codice autenticazione",
+ "two_factor_authentication": "Autenticazione a due fattori",
+ "reconfigure_ring_integration": "Riconfigura l'integrazione Ring",
+ "sign_in_with_ring_account": "Accedi con l'account Ring",
+ "abort_alternative_integration": "Il dispositivo è meglio supportato da un'altra integrazione",
+ "abort_incomplete_config": "Nella configurazione manca una variabile richiesta",
+ "manual_description": "URL di un file XML di descrizione del dispositivo",
+ "manual_title": "Connessione manuale del dispositivo DLNA DMR",
+ "discovered_dlna_dmr_devices": "Rilevati dispositivi DLNA DMR",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Porta di trasmissione",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2353,48 +2528,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Il bridge è già configurato",
- "no_deconz_bridges_discovered": "Nessun bridge deCONZ rilevato",
- "abort_no_hardware_available": "Nessun hardware radio collegato a deCONZ",
- "abort_updated_instance": "Istanza deCONZ aggiornata con nuovo indirizzo host",
- "error_linking_not_possible": "Impossibile collegarsi al gateway",
- "error_no_key": "Impossibile ottenere una chiave API",
- "link_with_deconz": "Collega con deCONZ",
- "select_discovered_deconz_gateway": "Selezionare il gateway deCONZ rilevato",
- "pin_code": "Codice PIN",
- "discovered_android_tv": "Rilevata Android TV",
- "abort_mdns_missing_mac": "Indirizzo MAC mancante nelle proprietà MDNS.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Rilevato nodo ESPHome",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "Nessun servizio trovato nell'endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Il dispositivo è meglio supportato da un'altra integrazione",
- "abort_incomplete_config": "Nella configurazione manca una variabile richiesta",
- "manual_description": "URL di un file XML di descrizione del dispositivo",
- "manual_title": "Connessione manuale del dispositivo DLNA DMR",
- "discovered_dlna_dmr_devices": "Rilevati dispositivi DLNA DMR",
+ "api_key": "Chiave API",
+ "configure_daikin_ac": "Configura Daikin AC",
+ "cannot_connect_details_error_detail": "Impossibile connettersi. Dettagli: {error_detail}",
+ "unknown_details_error_detail": "Sconosciuto. Dettagli: {error_detail}",
+ "uses_an_ssl_certificate": "Utilizza un certificato SSL",
+ "verify_ssl_certificate": "Verifica il certificato SSL",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adattatore",
+ "multiple_adapters_description": "Seleziona un adattatore Bluetooth da configurare",
"api_error_occurred": "Si è verificato un errore di API",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Abilita HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 non è supportato.",
- "error_custom_port_not_supported": "Il dispositivo Gen1 non supporta la porta personalizzata.",
- "two_factor_code": "Codice autenticazione",
- "two_factor_authentication": "Autenticazione a due fattori",
- "reconfigure_ring_integration": "Riconfigura l'integrazione Ring",
- "sign_in_with_ring_account": "Accedi con l'account Ring",
+ "timeout_establishing_connection": "Tempo scaduto per stabile la connessione.",
+ "link_google_account": "Collega l'account Google",
+ "path_is_not_allowed": "Il percorso non è consentito",
+ "path_is_not_valid": "Il percorso non è valido",
+ "path_to_file": "Percorso del file",
+ "pin_code": "Codice PIN",
+ "discovered_android_tv": "Rilevata Android TV",
+ "abort_already_configured": "Il dispositivo è già stato configurato.",
+ "invalid_host": "Nome host non valido.",
+ "wrong_smartthings_token": "SmartThings token errato.",
+ "error_st_device_not_found": "SmartThings TV deviceID non trovato.",
+ "error_st_device_used": "SmartThings TV deviceID già utilizzato.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host o indirizzo IP",
+ "data_name": "Nome dell'entità",
+ "smartthings_generated_token_optional": "SmartThings token generato (opzionale)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "Tutte le entità",
"hide_members": "Nascondi membri",
- "create_group": "Create Group",
+ "create_group": "Crea gruppo",
+ "device_class": "Classe del dispositivo",
"ignore_non_numeric": "Ignora non numerico",
"data_round_digits": "Valore arrotondato al numero di decimali",
"type": "Tipo",
@@ -2402,202 +2576,297 @@
"button_group": "Gruppo di pulsanti",
"cover_group": "Gruppo di coperture",
"event_group": "Gruppo di eventi",
- "fan_group": "Gruppo di ventole",
- "light_group": "Gruppo di luci",
"lock_group": "Gruppo di serrature",
"media_player_group": "Gruppo di lettori multimediali",
"notify_group": "Gruppo di notifiche",
"sensor_group": "Gruppo di sensori",
"switch_group": "Gruppo di interruttori",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Tipo di Switchbot non supportato.",
- "authentication_failed_error_detail": "Autenticazione non riuscita: {error_detail}",
- "error_encryption_key_invalid": "L'ID chiave o la chiave crittografica non sono validi",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password con cui proteggere il backup.",
- "device_address": "Indirizzo del dispositivo",
- "cannot_connect_details_error_detail": "Impossibile connettersi. Dettagli: {error_detail}",
- "unknown_details_error_detail": "Sconosciuto. Dettagli: {error_detail}",
- "uses_an_ssl_certificate": "Utilizza un certificato SSL",
- "ignore_cec": "Ignora CEC",
- "allowed_uuids": "UUID consentiti",
- "advanced_google_cast_configuration": "Configurazione avanzata di Google Cast",
- "device_dev_name_successfully_action": "Dispositivo {dev_name} {action} con successo.",
- "localtuya_configuration": "Configurazione LocalTuya",
- "init_description": "Seleziona l'azione desiderata.",
- "add_a_new_device": "Aggiungi un nuovo dispositivo",
- "edit_a_device": "Modifica un dispositivo",
- "reconfigure_cloud_api_account": "Riconfigurare l'account Cloud API",
- "discovered_devices": "Dispositivi trovati",
- "configured_devices": "Dispositivi configurati",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Inserisci le credenziali per l'account Cloud API Tuya.",
- "configure_tuya_device": "Configura il dispositivo",
- "configure_device_description": "Compila i dettagli del dispositivo {for_device}.",
- "device_id": "ID dispositivo",
- "local_key": "Chiave locale",
- "protocol_version": "Versione del protocollo",
- "data_entities": "Entities (deseleziona un'entity per rimuoverla)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Selezione del tipo di entity",
- "platform": "piattaforma",
- "data_no_additional_entities": "Non aggiungere altre entity",
- "configure_entity": "Configurare entity",
- "friendly_name": "Nome amichevole",
- "open_close_stop_commands_set": "Set di comandi Aperto_Chiuso_Stop",
- "positioning_mode": "Modalità di posizionamento",
- "data_current_position_dp": "Posizione attuale (solo per la modalità *posizione*)",
- "data_set_position_dp": "Imposta posizione (solo per modalità *posizione*)",
- "data_position_inverted": "Inverti posizione 0-100 (solo per modalità *posizione*)",
- "scaling_factor": "Fattore di scala",
- "on_value": "Valore di ON",
- "off_value": "Valore di OFF",
- "data_powergo_dp": "Potenza DP (di solito 25 o 2)",
- "idle_status_comma_separated": "Stato di inattività (separato da virgole)",
- "returning_status": "Stato di ritorno alla base",
- "docked_status_comma_separated": "Stato di tornato alla base (separato da virgole)",
- "fault_dp_usually": "DP di guasto (di solito 11)",
- "data_battery_dp": "DP di stato batteria (di solito 14)",
- "mode_dp_usually": "DP di modalità (di solito 27)",
- "modes_list": "Elenco delle modalità",
- "return_home_mode": "Ritorno in modalità home",
- "data_fan_speed_dp": "DP di velocità del ventilatore (di solito 30)",
- "fan_speeds_list_comma_separated": "DP di elenco delle velocità del ventilatore (separato da virgola)",
- "data_clean_time_dp": "DP di tempo di pulizia (di solito 33)",
- "data_clean_area_dp": "DP di area pulita (di solito 32)",
- "data_clean_record_dp": "DP di record delle pulizie (di solito 34)",
- "locate_dp_usually": "DP di individuazione (di solito 31)",
- "data_paused_state": "Stato di pausa (pausa, pausa, ecc.)",
- "stop_status": "Stato di stop",
- "data_brightness": "Luminosità (solo per il colore bianco)",
- "brightness_lower_value": "Limite inferiore per la luminosità",
- "brightness_upper_value": "Limite superiore per la luminosità",
- "color_temperature_reverse": "Temperatura di colore invertita",
- "data_color_temp_min_kelvin": "Minima temperatura di colore in K",
- "data_color_temp_max_kelvin": "Massima temperatura di colore in k",
- "music_mode_available": "Modalità musicale disponibile",
- "data_select_options": "Opzioni valide, voci separate da una vigola (;)",
- "fan_speed_control_dps": "DP di controllo di velocità del ventilatore",
- "fan_oscillating_control_dps": "DP di controllo dell'oscillazione del ventilatore",
- "minimum_fan_speed_integer": "Velocità del ventilatore minima",
- "maximum_fan_speed_integer": "Velocità del ventilatore massima",
- "data_fan_speed_ordered_list": "Elenco delle modalità di velocità del ventilatore (sovrascrive velocità min/max)",
- "fan_direction_dps": "DP di direzione del ventilatore",
- "forward_dps_string": "Stringa del DP per avanti",
- "reverse_dps_string": "Stringa del DP per indietro",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Intervalli di temperatura (facoltativo)",
- "max_temperature_dp_optional": "Temperatura massima (opzionale)",
- "min_temperature_dp_optional": "Temperatura minima (opzionale)",
- "data_precision": "Precisione (opzionale, per valori DP)",
- "data_target_precision": "Precisione del target (opzionale, per valori DP)",
- "temperature_unit_optional": "Unità di temperatura (opzionale)",
- "hvac_mode_dp_optional": "Modalità HVAC attuale (opzionale)",
- "hvac_mode_set_optional": "Impostazione modalità HVAC (opzionale)",
- "data_hvac_action_dp": "Azione HVAC attuale (opzionale)",
- "data_hvac_action_set": "Impostazione azione HVAC (opzionale)",
- "presets_dp_optional": "Preset DP (opzionale)",
- "presets_set_optional": "Set di preset (opzionale)",
- "eco_dp_optional": "DP per Eco (opzionale)",
- "eco_value_optional": "Valore Eco (opzionale)",
- "enable_heuristic_action_optional": "Abilita azione euristica (opzionale)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Accesso di Home Assistant a Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Scansione passiva",
- "samsungtv_smart_options": "Opzioni SamsungTV Smart",
- "data_use_st_status_info": "Usa informazioni Stato TV da SmartThings",
- "data_use_st_channel_info": "Usa informazioni Canale TV da SmartThings",
- "data_show_channel_number": "Usa informazioni Numero Canale TV da SmartThings",
- "data_app_load_method": "Modalità caricamento lista applicazioni all'avvio",
- "data_use_local_logo": "Permetti l'uso delle immagini logo locali",
- "data_power_on_method": "Metodo usato per accendere la TV",
- "show_options_menu": "Mostra menu opzioni",
- "samsungtv_smart_options_menu": "Menù opzioni SamsungTV Smart",
- "applications_list_configuration": "Configurazione lista applicazioni",
- "channels_list_configuration": "Configurazione lista canali",
- "standard_options": "Opzioni standard",
- "save_options_and_exit": "Salva le opzioni ed esci",
- "sources_list_configuration": "Configurazione lista sorgenti",
- "synched_entities_configuration": "Configurazione entità collegate",
- "samsungtv_smart_advanced_options": "Opzioni avanzate SamsungTV Smart",
- "applications_launch_method_used": "Metodo usato per lanciare le applicazioni",
- "data_power_on_delay": "Secondi di ritardo per passaggio allo stato ON",
- "data_ext_power_entity": "Binary sensor usato per aiutare a identificare lo stato",
- "samsungtv_smart_synched_entities": "Entità collegate SamsungTV Smart",
- "app_list_title": "Configurazione lista applicazioni SamsungTV Smart",
- "applications_list": "Lista applicazioni:",
- "channel_list_title": "Configurazione lista canali SamsungTV Smart",
- "channels_list": "Lista canali:",
- "source_list_title": "Configurazione lista sorgenti SamsungTV Smart",
- "sources_list": "Lista sorgenti:",
- "error_invalid_tv_list": "Formato not valido. Controlla la documentazione",
- "broker_options": "Opzioni del broker",
- "enable_birth_message": "Abilita messaggio di nascita",
- "birth_message_payload": "Payload del messaggio birth",
- "birth_message_qos": "QoS del messaggio birth",
- "birth_message_retain": "Persistenza del messaggio birth",
- "birth_message_topic": "Argomento del messaggio birth",
- "enable_discovery": "Abilita il rilevamento",
- "discovery_prefix": "Rileva prefisso",
- "enable_will_message": "Abilita il messaggio testamento",
- "will_message_payload": "Payload del messaggio testamento",
- "will_message_qos": "QoS del messaggio testamento",
- "will_message_retain": "Persistenza del messaggio will",
- "will_message_topic": "Argomento del messaggio will",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "Opzioni MQTT",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Consentire sensori CLIP deCONZ",
- "allow_deconz_light_groups": "Consentire gruppi luce deCONZ",
- "data_allow_new_devices": "Consentire l'aggiunta automatica di nuovi dispositivi",
- "deconz_devices_description": "Configura la visibilità dei tipi di dispositivi deCONZ",
- "deconz_options": "Opzioni deCONZ",
- "data_app_delete": "Check to delete this application",
- "application_icon": "Application icon",
- "application_id": "Application ID",
- "application_name": "Application name",
- "configure_application_id_app_id": "Configure application ID {app_id}",
- "configure_android_apps": "Configure Android apps",
- "configure_applications_list": "Configure applications list",
+ "known_hosts": "Host conosciuti",
+ "google_cast_configuration": "Configurazione di Google Cast",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Indirizzo MAC mancante nelle proprietà MDNS.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Rilevato nodo ESPHome",
+ "bridge_is_already_configured": "Il bridge è già configurato",
+ "no_deconz_bridges_discovered": "Nessun bridge deCONZ rilevato",
+ "abort_no_hardware_available": "Nessun hardware radio collegato a deCONZ",
+ "abort_updated_instance": "Istanza deCONZ aggiornata con nuovo indirizzo host",
+ "error_linking_not_possible": "Impossibile collegarsi al gateway",
+ "error_no_key": "Impossibile ottenere una chiave API",
+ "link_with_deconz": "Collega con deCONZ",
+ "select_discovered_deconz_gateway": "Selezionare il gateway deCONZ rilevato",
+ "abort_missing_credentials": "L'integrazione richiede le credenziali dell'applicazione.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "Nessun servizio trovato nell'endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 non è supportato.",
+ "error_custom_port_not_supported": "Il dispositivo Gen1 non supporta la porta personalizzata.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Azione di attivazione",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Modello pannello di controllo allarme",
+ "state_template": "Modello di stato",
+ "template_binary_sensor": "Modello di sensore binario",
+ "actions_on_press": "Azione alla pressione",
+ "template_button": "Pulsante modello",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Modello di sensore",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Modello di un sensore binario",
+ "template_a_button": "Template a button",
+ "template_an_image": "Modello di un'immagine",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Modello di un sensore",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Aiutante per i modelli",
+ "abort_device_updated": "La configurazione del dispositivo è stata aggiornata.",
+ "failed_to_authenticate_msg": "Autenticazione fallita. Errore:\n{msg}",
+ "error_device_list_failed": "Impossibile recuperare l'elenco dei dispositivi.\n{msg}",
+ "cloud_api_account_configuration": "Configurazione dell'account Cloud API",
+ "api_server_region": "Regione del server API",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Non configurare l'account Cloud API",
+ "abort_not_zha_device": "Questo dispositivo non è un dispositivo zha",
+ "abort_usb_probe_failed": "Impossibile interrogare il dispositivo USB",
+ "invalid_backup_json": "Backup JSON non valido",
+ "choose_an_automatic_backup": "Scegli un backup automatico",
+ "restore_automatic_backup": "Ripristina backup automatico",
+ "choose_formation_strategy_description": "Scegli le impostazioni di rete per la tua radio.",
+ "restore_an_automatic_backup": "Ripristina un backup automatico",
+ "create_a_network": "Crea una rete",
+ "keep_radio_network_settings": "Mantieni le impostazioni della rete radio",
+ "upload_a_manual_backup": "Carica un backup manuale",
+ "network_formation": "Formazione di rete",
+ "serial_device_path": "Percorso del dispositivo seriale",
+ "select_a_serial_port": "Seleziona una porta seriale",
+ "radio_type": "Tipo di radio",
+ "manual_pick_radio_type_description": "Scegli il tuo tipo di radio Zigbee",
+ "port_speed": "Velocità della porta",
+ "data_flow_control": "Controllo del flusso di dati",
+ "manual_port_config_description": "Inserire le impostazioni della porta seriale",
+ "serial_port_settings": "Impostazioni della porta seriale",
+ "data_overwrite_coordinator_ieee": "Sostituire definitivamente l'indirizzo IEEE radio",
+ "overwrite_radio_ieee_address": "Sovrascrivi indirizzo IEEE radio",
+ "upload_a_file": "Carica un file",
+ "radio_is_not_recommended": "La radio non è consigliata",
+ "invalid_ics_file": "File .ics non valido",
+ "calendar_name": "Nome del calendario",
+ "zha_alarm_options_alarm_arm_requires_code": "Codice necessario per le azioni di attivazione",
+ "zha_alarm_options_alarm_master_code": "Codice principale per i pannelli di controllo degli allarmi",
+ "alarm_control_panel_options": "Opzioni del pannello di controllo degli allarmi",
+ "zha_options_consider_unavailable_battery": "Considera i dispositivi alimentati a batteria non disponibili dopo (secondi)",
+ "zha_options_consider_unavailable_mains": "Considera i dispositivi alimentati dalla rete non disponibili dopo (secondi)",
+ "zha_options_default_light_transition": "Tempo di transizione della luce predefinito (secondi)",
+ "zha_options_group_members_assume_state": "I membri del gruppo assumono lo stato del gruppo",
+ "zha_options_light_transitioning_flag": "Abilita il cursore della luminosità avanzata durante la transizione della luce",
+ "global_options": "Opzioni globali",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Conteggio dei tentativi di ripetizione",
+ "data_process": "Processes to add as sensor(s)",
"invalid_url": "URL non valido",
"data_browse_unfiltered": "Mostra file multimediali incompatibili durante la navigazione",
"event_listener_callback_url": "URL di richiamata dell'ascoltatore di eventi",
"data_listen_port": "Porta dell'ascoltatore di eventi (casuale se non impostata)",
"poll_for_device_availability": "Interrogazione per la disponibilità del dispositivo",
"init_title": "Configurazione DLNA Digital Media Renderer",
+ "broker_options": "Opzioni del broker",
+ "enable_birth_message": "Abilita messaggio di nascita",
+ "birth_message_payload": "Payload del messaggio birth",
+ "birth_message_qos": "QoS del messaggio birth",
+ "birth_message_retain": "Persistenza del messaggio birth",
+ "birth_message_topic": "Argomento del messaggio birth",
+ "enable_discovery": "Abilita il rilevamento",
+ "discovery_prefix": "Rileva prefisso",
+ "enable_will_message": "Abilita il messaggio testamento",
+ "will_message_payload": "Payload del messaggio testamento",
+ "will_message_qos": "QoS del messaggio testamento",
+ "will_message_retain": "Persistenza del messaggio will",
+ "will_message_topic": "Argomento del messaggio will",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "Opzioni MQTT",
+ "passive_scanning": "Scansione passiva",
"protocol": "Protocollo",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
"language_code": "Codice lingua",
- "bluetooth_scanner_mode": "Modalità scansione Bluetooth",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Conteggio dei tentativi di ripetizione",
+ "samsungtv_smart_options": "Opzioni SamsungTV Smart",
+ "data_use_st_status_info": "Usa informazioni Stato TV da SmartThings",
+ "data_use_st_channel_info": "Usa informazioni Canale TV da SmartThings",
+ "data_show_channel_number": "Usa informazioni Numero Canale TV da SmartThings",
+ "data_app_load_method": "Modalità caricamento lista applicazioni all'avvio",
+ "data_use_local_logo": "Permetti l'uso delle immagini logo locali",
+ "data_power_on_method": "Metodo usato per accendere la TV",
+ "show_options_menu": "Mostra menu opzioni",
+ "samsungtv_smart_options_menu": "Menù opzioni SamsungTV Smart",
+ "applications_list_configuration": "Configurazione lista applicazioni",
+ "channels_list_configuration": "Configurazione lista canali",
+ "standard_options": "Opzioni standard",
+ "save_options_and_exit": "Salva le opzioni ed esci",
+ "sources_list_configuration": "Configurazione lista sorgenti",
+ "synched_entities_configuration": "Configurazione entità collegate",
+ "samsungtv_smart_advanced_options": "Opzioni avanzate SamsungTV Smart",
+ "applications_launch_method_used": "Metodo usato per lanciare le applicazioni",
+ "data_power_on_delay": "Secondi di ritardo per passaggio allo stato ON",
+ "data_ext_power_entity": "Binary sensor usato per aiutare a identificare lo stato",
+ "samsungtv_smart_synched_entities": "Entità collegate SamsungTV Smart",
+ "app_list_title": "Configurazione lista applicazioni SamsungTV Smart",
+ "applications_list": "Lista applicazioni:",
+ "channel_list_title": "Configurazione lista canali SamsungTV Smart",
+ "channels_list": "Lista canali:",
+ "source_list_title": "Configurazione lista sorgenti SamsungTV Smart",
+ "sources_list": "Lista sorgenti:",
+ "error_invalid_tv_list": "Formato not valido. Controlla la documentazione",
+ "data_app_delete": "Check to delete this application",
+ "application_icon": "Application icon",
+ "application_id": "Application ID",
+ "application_name": "Application name",
+ "configure_application_id_app_id": "Configure application ID {app_id}",
+ "configure_android_apps": "Configure Android apps",
+ "configure_applications_list": "Configure applications list",
+ "ignore_cec": "Ignora CEC",
+ "allowed_uuids": "UUID consentiti",
+ "advanced_google_cast_configuration": "Configurazione avanzata di Google Cast",
+ "allow_deconz_clip_sensors": "Consentire sensori CLIP deCONZ",
+ "allow_deconz_light_groups": "Consentire gruppi luce deCONZ",
+ "data_allow_new_devices": "Consentire l'aggiunta automatica di nuovi dispositivi",
+ "deconz_devices_description": "Configura la visibilità dei tipi di dispositivi deCONZ",
+ "deconz_options": "Opzioni deCONZ",
"select_test_server": "Seleziona il server di prova",
- "toggle_entity_name": "Attiva/disattiva {entity_name}",
- "disarm_entity_name": "Disattiva {entity_name}",
- "turn_on_entity_name": "Attiva {entity_name}",
- "entity_name_is_off": "{entity_name} è disattivato",
- "entity_name_is_on": "{entity_name} è attivo",
- "trigger_type_changed_states": "{entity_name} attivato o disattivato",
- "entity_name_disarmed": "{entity_name} disattivato",
- "entity_name_turned_on": "{entity_name} attivato",
+ "data_calendar_access": "Accesso di Home Assistant a Google Calendar",
+ "bluetooth_scanner_mode": "Modalità scansione Bluetooth",
+ "device_dev_name_successfully_action": "Dispositivo {dev_name} {action} con successo.",
+ "localtuya_configuration": "Configurazione LocalTuya",
+ "init_description": "Seleziona l'azione desiderata.",
+ "add_a_new_device": "Aggiungi un nuovo dispositivo",
+ "edit_a_device": "Modifica un dispositivo",
+ "reconfigure_cloud_api_account": "Riconfigurare l'account Cloud API",
+ "discovered_devices": "Dispositivi trovati",
+ "configured_devices": "Dispositivi configurati",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configura il dispositivo",
+ "configure_device_description": "Compila i dettagli del dispositivo {for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Chiave locale",
+ "protocol_version": "Versione del protocollo",
+ "data_entities": "Entities (deseleziona un'entity per rimuoverla)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Selezione del tipo di entity",
+ "platform": "piattaforma",
+ "data_no_additional_entities": "Non aggiungere altre entity",
+ "configure_entity": "Configurare entity",
+ "friendly_name": "Nome amichevole",
+ "open_close_stop_commands_set": "Set di comandi Aperto_Chiuso_Stop",
+ "positioning_mode": "Modalità di posizionamento",
+ "data_current_position_dp": "Posizione attuale (solo per la modalità *posizione*)",
+ "data_set_position_dp": "Imposta posizione (solo per modalità *posizione*)",
+ "data_position_inverted": "Inverti posizione 0-100 (solo per modalità *posizione*)",
+ "scaling_factor": "Fattore di scala",
+ "on_value": "Valore di ON",
+ "off_value": "Valore di OFF",
+ "data_powergo_dp": "Potenza DP (di solito 25 o 2)",
+ "idle_status_comma_separated": "Stato di inattività (separato da virgole)",
+ "returning_status": "Stato di ritorno alla base",
+ "docked_status_comma_separated": "Stato di tornato alla base (separato da virgole)",
+ "fault_dp_usually": "DP di guasto (di solito 11)",
+ "data_battery_dp": "DP di stato batteria (di solito 14)",
+ "mode_dp_usually": "DP di modalità (di solito 27)",
+ "modes_list": "Elenco delle modalità",
+ "return_home_mode": "Ritorno in modalità home",
+ "data_fan_speed_dp": "DP di velocità del ventilatore (di solito 30)",
+ "fan_speeds_list_comma_separated": "DP di elenco delle velocità del ventilatore (separato da virgola)",
+ "data_clean_time_dp": "DP di tempo di pulizia (di solito 33)",
+ "data_clean_area_dp": "DP di area pulita (di solito 32)",
+ "data_clean_record_dp": "DP di record delle pulizie (di solito 34)",
+ "locate_dp_usually": "DP di individuazione (di solito 31)",
+ "data_paused_state": "Stato di pausa (pausa, pausa, ecc.)",
+ "stop_status": "Stato di stop",
+ "data_brightness": "Luminosità (solo per il colore bianco)",
+ "brightness_lower_value": "Limite inferiore per la luminosità",
+ "brightness_upper_value": "Limite superiore per la luminosità",
+ "color_temperature_reverse": "Temperatura di colore invertita",
+ "data_color_temp_min_kelvin": "Minima temperatura di colore in K",
+ "data_color_temp_max_kelvin": "Massima temperatura di colore in k",
+ "music_mode_available": "Modalità musicale disponibile",
+ "data_select_options": "Opzioni valide, voci separate da una vigola (;)",
+ "fan_speed_control_dps": "DP di controllo di velocità del ventilatore",
+ "fan_oscillating_control_dps": "DP di controllo dell'oscillazione del ventilatore",
+ "minimum_fan_speed_integer": "Velocità del ventilatore minima",
+ "maximum_fan_speed_integer": "Velocità del ventilatore massima",
+ "data_fan_speed_ordered_list": "Elenco delle modalità di velocità del ventilatore (sovrascrive velocità min/max)",
+ "fan_direction_dps": "DP di direzione del ventilatore",
+ "forward_dps_string": "Stringa del DP per avanti",
+ "reverse_dps_string": "Stringa del DP per indietro",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Intervalli di temperatura (facoltativo)",
+ "max_temperature_dp_optional": "Temperatura massima (opzionale)",
+ "min_temperature_dp_optional": "Temperatura minima (opzionale)",
+ "data_precision": "Precisione (opzionale, per valori DP)",
+ "data_target_precision": "Precisione del target (opzionale, per valori DP)",
+ "temperature_unit_optional": "Unità di temperatura (opzionale)",
+ "hvac_mode_dp_optional": "Modalità HVAC attuale (opzionale)",
+ "hvac_mode_set_optional": "Impostazione modalità HVAC (opzionale)",
+ "data_hvac_action_dp": "Azione HVAC attuale (opzionale)",
+ "data_hvac_action_set": "Impostazione azione HVAC (opzionale)",
+ "presets_dp_optional": "Preset DP (opzionale)",
+ "presets_set_optional": "Set di preset (opzionale)",
+ "eco_dp_optional": "DP per Eco (opzionale)",
+ "eco_value_optional": "Valore Eco (opzionale)",
+ "enable_heuristic_action_optional": "Abilita azione euristica (opzionale)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Riconfigura ZHA",
+ "unplug_your_old_radio": "Scollega la tua vecchia radio",
+ "intent_migrate_title": "Migra a una nuova radio",
+ "re_configure_the_current_radio": "Riconfigura la radio attuale",
+ "migrate_or_re_configure": "Migrare o riconfigurare",
"current_entity_name_apparent_power": "Potenza apparente attuale di {entity_name}",
"condition_type_is_aqi": "Indice di qualità dell'aria attuale di {entity_name}",
"current_entity_name_area": "Current {entity_name} area",
@@ -2691,14 +2960,79 @@
"entity_name_water_changes": "{entity_name} variazioni d'acqua",
"entity_name_weight_changes": "Variazioni di peso di {entity_name}",
"entity_name_wind_speed_changes": "Variazione della velocità del vento di {entity_name}",
+ "decrease_entity_name_brightness": "Riduci la luminosità di {entity_name}",
+ "increase_entity_name_brightness": "Aumenta la luminosità di {entity_name}",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Attiva/disattiva {entity_name}",
+ "disarm_entity_name": "Disattiva {entity_name}",
+ "turn_on_entity_name": "Attiva {entity_name}",
+ "entity_name_is_off": "{entity_name} è disattivato",
+ "entity_name_is_on": "{entity_name} è attivo",
+ "flash": "Lampeggio",
+ "trigger_type_changed_states": "{entity_name} attivato o disattivato",
+ "entity_name_disarmed": "{entity_name} disattivato",
+ "entity_name_turned_on": "{entity_name} attivato",
+ "set_value_for_entity_name": "Imposta il valore per {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "La disponibilità dell'aggiornamento di {entity_name} è cambiata",
+ "entity_name_became_up_to_date": "{entity_name} è diventato aggiornato",
+ "trigger_type_turned_on": "{entity_name} ha un aggiornamento disponibile",
+ "first_button": "Primo pulsante",
+ "second_button": "Secondo pulsante",
+ "third_button": "Terzo pulsante",
+ "fourth_button": "Quarto pulsante",
+ "fifth_button": "Quinto pulsante",
+ "sixth_button": "Sesto pulsante",
+ "subtype_double_clicked": "\"{subtype}\" cliccato due volte",
+ "subtype_continuously_pressed": "\"{subtype}\" premuto continuamente",
+ "trigger_type_button_long_release": "\"{subtype}\" rilasciato dopo una lunga pressione",
+ "subtype_quadruple_clicked": "\"{subtype}\" cliccato quattro volte",
+ "subtype_quintuple_clicked": "\"{subtype}\" cliccato cinque volte",
+ "subtype_pressed": "\"{subtype}\" premuto",
+ "subtype_released": "\"{subtype}\" rilasciato",
+ "subtype_triple_clicked": "\"{subtype}\" cliccato tre volte",
+ "entity_name_is_home": "{entity_name} è in casa",
+ "entity_name_is_not_home": "{entity_name} non è in casa",
+ "entity_name_enters_a_zone": "{entity_name} entra in una zona",
+ "entity_name_leaves_a_zone": "{entity_name} lascia una zona",
+ "press_entity_name_button": "Premi il pulsante {entity_name}",
+ "entity_name_has_been_pressed": "{entity_name} è stato premuto",
+ "let_entity_name_clean": "Lascia pulire {entity_name}",
+ "action_type_dock": "Lascia che {entity_name} ritorni alla base",
+ "entity_name_is_cleaning": "{entity_name} sta pulendo",
+ "entity_name_is_docked": "{entity_name} è agganciato alla base",
+ "entity_name_started_cleaning": "{entity_name} ha iniziato la pulizia",
+ "entity_name_docked": "{entity_name} agganciato",
+ "send_a_notification": "Invia una notifica",
+ "lock_entity_name": "Chiudi {entity_name}",
+ "open_entity_name": "Apri {entity_name}",
+ "unlock_entity_name": "Sblocca {entity_name}",
+ "entity_name_is_locked": "{entity_name} è chiusa",
+ "entity_name_opened": "{entity_name} è aperto",
+ "entity_name_is_unlocked": "{entity_name} è aperta",
+ "entity_name_locked": "{entity_name} bloccato",
+ "entity_name_unlocked": "{entity_name} è sbloccato",
"action_type_set_hvac_mode": "Cambia modalità HVAC su {entity_name}",
"change_preset_on_entity_name": "Modifica modalità su {entity_name}",
"to": "To",
"entity_name_measured_humidity_changed": "{entity_name} umidità misurata modificata",
"entity_name_measured_temperature_changed": "{entity_name} temperatura misurata cambiata",
"entity_name_hvac_mode_changed": "{entity_name} modalità HVAC modificata",
- "set_value_for_entity_name": "Imposta valore per {entity_name}",
- "value": "Valore",
+ "close_entity_name_tilt": "Chiudi l'inclinazione di {entity_name}",
+ "open_entity_name_tilt": "Apri l'inclinazione di {entity_name}",
+ "set_entity_name_position": "Imposta l'apertura di {entity_name}",
+ "set_entity_name_tilt_position": "Imposta l'inclinazione di {entity_name}",
+ "stop_entity_name": "Ferma {entity_name}",
+ "entity_name_is_closed": "{entity_name} è chiuso",
+ "entity_name_is_closing": "{entity_name} si sta chiudendo",
+ "entity_name_is_opening": "{entity_name} si sta aprendo",
+ "current_entity_name_position_is": "L'apertura attuale di {entity_name} è",
+ "condition_type_is_tilt_position": "L'inclinazione attuale di {entity_name} è",
+ "entity_name_closed": "{entity_name} chiuso",
+ "entity_name_closing": "{entity_name} in chiusura",
+ "entity_name_opening": "{entity_name} in apertura",
+ "entity_name_position_changes": "{entity_name} variazioni di apertura",
+ "entity_name_tilt_position_changes": "{entity_name} variazioni d'inclinazione",
"entity_name_battery_is_low": "{entity_name} la batteria è scarica",
"entity_name_is_charging": "{entity_name} è in carica",
"condition_type_is_co": "{entity_name} sta rilevando il monossido di carbonio",
@@ -2707,7 +3041,6 @@
"entity_name_is_detecting_gas": "{entity_name} sta rilevando il gas",
"entity_name_is_hot": "{entity_name} è caldo",
"entity_name_is_detecting_light": "{entity_name} sta rilevando la luce",
- "entity_name_locked": "{entity_name} è chiusa",
"entity_name_is_moist": "{entity_name} è umido",
"entity_name_is_detecting_motion": "{entity_name} sta rilevando il movimento",
"entity_name_is_moving": "{entity_name} si sta muovendo",
@@ -2725,7 +3058,6 @@
"entity_name_is_not_cold": "{entity_name} non è freddo",
"entity_name_disconnected": "{entity_name} è disconnesso",
"entity_name_is_not_hot": "{entity_name} non è caldo",
- "entity_name_unlocked": "{entity_name} è aperta",
"entity_name_is_dry": "{entity_name} è asciutto",
"entity_name_is_not_moving": "{entity_name} non si sta muovendo",
"entity_name_is_not_occupied": "{entity_name} non è occupato",
@@ -2736,7 +3068,6 @@
"condition_type_is_not_tampered": "{entity_name} non rileva manomissioni",
"entity_name_is_safe": "{entity_name} è sicuro",
"entity_name_is_occupied": "{entity_name} è occupato",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_powered": "{entity_name} è alimentato",
"entity_name_present": "{entity_name} è presente",
"entity_name_is_detecting_problem": "{entity_name} sta rilevando un problema",
@@ -2745,7 +3076,6 @@
"entity_name_is_detecting_sound": "{entity_name} sta rilevando il suono",
"entity_name_is_detecting_tampering": "{entity_name} rileva manomissioni",
"entity_name_is_unsafe": "{entity_name} non è sicuro",
- "trigger_type_turned_on": "{entity_name} ha un aggiornamento disponibile",
"entity_name_is_detecting_vibration": "{entity_name} sta rilevando la vibrazione",
"entity_name_battery_low": "{entity_name} batteria scarica",
"entity_name_charging": "{entity_name} in carica",
@@ -2765,7 +3095,6 @@
"entity_name_stopped_detecting_problem": "{entity_name} ha smesso di rilevare un problema",
"entity_name_stopped_detecting_smoke": "{entity_name} ha smesso la rilevazione di fumo",
"entity_name_stopped_detecting_sound": "{entity_name} ha smesso di rilevare il suono",
- "entity_name_became_up_to_date": "{entity_name} è stato aggiornato",
"entity_name_stopped_detecting_vibration": "{entity_name} ha smesso di rilevare le vibrazioni",
"entity_name_battery_normal": "{entity_name} batteria normale",
"entity_name_not_charging": "{entity_name} non in carica",
@@ -2773,12 +3102,10 @@
"entity_name_became_not_hot": "{entity_name} non è diventato caldo",
"entity_name_became_dry": "{entity_name} è diventato asciutto",
"entity_name_stopped_moving": "{entity_name} ha smesso di muoversi",
- "entity_name_closed": "{entity_name} chiusa",
"trigger_type_not_running": "{entity_name} non è più in funzione",
"entity_name_stopped_detecting_tampering": "{entity_name} ha smesso di rilevare manomissioni",
"entity_name_became_safe": "{entity_name} è diventato sicuro",
"entity_name_became_occupied": "{entity_name} è diventato occupato",
- "entity_name_opened": "{entity_name} opened",
"entity_name_started_detecting_problem": "{entity_name} ha iniziato a rilevare un problema",
"entity_name_started_running": "{entity_name} ha iniziato a funzionare",
"entity_name_started_detecting_smoke": "{entity_name} ha iniziato la rilevazione di fumo",
@@ -2794,32 +3121,6 @@
"entity_name_starts_buffering": "{entity_name} avvia il buffering",
"entity_name_becomes_idle": "{entity_name} diventa inattivo",
"entity_name_starts_playing": "{entity_name} inizia l'esecuzione",
- "entity_name_is_home": "{entity_name} è in casa",
- "entity_name_is_not_home": "{entity_name} non è in casa",
- "entity_name_enters_a_zone": "{entity_name} entra in una zona",
- "entity_name_leaves_a_zone": "{entity_name} lascia una zona",
- "decrease_entity_name_brightness": "Riduci la luminosità di {entity_name}",
- "increase_entity_name_brightness": "Aumenta la luminosità di {entity_name}",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "La disponibilità dell'aggiornamento di {entity_name} è cambiata",
- "arm_entity_name_away": "Attiva {entity_name} fuori casa",
- "arm_entity_name_home": "Attiva {entity_name} casa",
- "arm_entity_name_night": "Attiva {entity_name} notte",
- "arm_entity_name_vacation": "Attiva {entity_name} vacanza",
- "trigger_entity_name": "Attivazione {entity_name}",
- "entity_name_is_armed_away": "{entity_name} è attivo in modalità fuori casa",
- "entity_name_is_armed_home": "{entity_name} è attivo in modalità a casa",
- "entity_name_is_armed_night": "{entity_name} è attivo in modalità notte",
- "entity_name_is_armed_vacation": "{entity_name} è attivo in modalità vacanza",
- "entity_name_is_disarmed": "{entity_name} è disattivo",
- "entity_name_is_triggered": "{entity_name} è attivato",
- "entity_name_armed_away": "{entity_name} attivato in modalità fuori casa",
- "entity_name_armed_home": "{entity_name} attivato in modalità a casa",
- "entity_name_armed_night": "{entity_name} attivato in modalità notte",
- "entity_name_armed_vacation": "{entity_name} attivato in modalità vacanza",
- "press_entity_name_button": "Premi il pulsante {entity_name}",
- "entity_name_has_been_pressed": "{entity_name} è stato premuto",
"action_type_select_first": "Cambia {entity_name} nella prima opzione",
"action_type_select_last": "Cambia {entity_name} all'ultima opzione",
"action_type_select_next": "Cambia {entity_name} all'opzione successiva",
@@ -2829,35 +3130,7 @@
"cycle": "Ciclo",
"from": "From",
"entity_name_option_changed": "Opzione {entity_name} modificata",
- "lock_entity_name": "Chiudi {entity_name}",
- "close_entity_name_tilt": "Chiudi l'inclinazione di {entity_name}",
- "open_entity_name": "Apri {entity_name}",
- "open_entity_name_tilt": "Apri l'inclinazione di {entity_name}",
- "set_entity_name_position": "Imposta l'apertura di {entity_name}",
- "set_entity_name_tilt_position": "Imposta l'inclinazione di {entity_name}",
- "stop_entity_name": "Ferma {entity_name}",
- "entity_name_is_closing": "{entity_name} si sta chiudendo",
- "entity_name_is_opening": "{entity_name} si sta aprendo",
- "current_entity_name_position_is": "L'apertura attuale di {entity_name} è",
- "condition_type_is_tilt_position": "L'inclinazione attuale di {entity_name} è",
- "entity_name_closing": "{entity_name} in chiusura",
- "entity_name_opening": "{entity_name} in apertura",
- "entity_name_position_changes": "{entity_name} variazioni di apertura",
- "entity_name_tilt_position_changes": "{entity_name} variazioni d'inclinazione",
- "first_button": "Primo pulsante",
- "second_button": "Secondo pulsante",
- "third_button": "Terzo pulsante",
- "fourth_button": "Quarto pulsante",
- "fifth_button": "Quinto pulsante",
- "sixth_button": "Sesto pulsante",
- "subtype_double_clicked": "{subtype} premuto due volte",
- "subtype_continuously_pressed": "\"{subtype}\" premuto continuamente",
- "trigger_type_button_long_release": "\"{subtype}\" rilasciato dopo una lunga pressione",
- "subtype_quadruple_clicked": "\"{subtype}\" cliccato quattro volte",
- "subtype_quintuple_clicked": "\"{subtype}\" cliccato cinque volte",
- "subtype_pressed": "\"{subtype}\" premuto",
- "subtype_released": "\"{subtype}\" rilasciato",
- "subtype_triple_clicked": "{subtype} premuto tre volte",
+ "both_buttons": "Entrambi i pulsanti",
"bottom_buttons": "Pulsanti inferiori",
"seventh_button": "Settimo pulsante",
"eighth_button": "Ottavo pulsante",
@@ -2881,13 +3154,6 @@
"trigger_type_remote_rotate_from_side": "Dispositivo ruotato da \"lato 6\" a \"{subtype}\"",
"device_turned_clockwise": "Dispositivo ruotato in senso orario",
"device_turned_counter_clockwise": "Dispositivo ruotato in senso antiorario",
- "send_a_notification": "Invia una notifica",
- "let_entity_name_clean": "Lascia pulire {entity_name}",
- "action_type_dock": "Lascia che {entity_name} ritorni alla base",
- "entity_name_is_cleaning": "{entity_name} sta pulendo",
- "entity_name_is_docked": "{entity_name} è agganciato alla base",
- "entity_name_started_cleaning": "{entity_name} ha iniziato la pulizia",
- "entity_name_docked": "{entity_name} agganciato",
"subtype_button_down": "{subtype} pulsante in giù",
"subtype_button_up": "{subtype} pulsante in su",
"subtype_double_push": "{subtype} doppia pressione",
@@ -2898,27 +3164,51 @@
"trigger_type_single_long": "{subtype} premuto singolarmente e poi a lungo",
"subtype_single_push": "{subtype} singola pressione",
"subtype_triple_push": "{subtype} tripla spinta",
- "unlock_entity_name": "Sblocca {entity_name}",
+ "arm_entity_name_away": "Attiva {entity_name} fuori casa",
+ "arm_entity_name_home": "Attiva {entity_name} casa",
+ "arm_entity_name_night": "Attiva {entity_name} notte",
+ "arm_entity_name_vacation": "Attiva {entity_name} vacanza",
+ "trigger_entity_name": "Attivazione {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} è attivo in modalità fuori casa",
+ "entity_name_is_armed_home": "{entity_name} è attivo in modalità a casa",
+ "entity_name_is_armed_night": "{entity_name} è attivo in modalità notte",
+ "entity_name_is_armed_vacation": "{entity_name} è attivo in modalità vacanza",
+ "entity_name_is_disarmed": "{entity_name} è disattivo",
+ "entity_name_is_triggered": "{entity_name} è attivato",
+ "entity_name_armed_away": "{entity_name} attivato in modalità fuori casa",
+ "entity_name_armed_home": "{entity_name} attivato in modalità a casa",
+ "entity_name_armed_night": "{entity_name} attivato in modalità notte",
+ "entity_name_armed_vacation": "{entity_name} attivato in modalità vacanza",
+ "action_type_issue_all_led_effect": "Effetto di emissione per tutti i LED",
+ "action_type_issue_individual_led_effect": "Effetto di emissione per i singoli LED",
+ "squawk": "Strillare",
+ "warn": "Avvertire",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "Con la faccia 6 attivata",
+ "with_any_specified_face_s_activated": "Con una o più facce specificate attivate",
+ "device_dropped": "Dispositivo caduto",
+ "device_flipped_subtype": "Dispositivo capovolto \"{subtype}\"",
+ "device_knocked_subtype": "Dispositivo bussato \"{subtype}\"",
+ "device_offline": "Dispositivo non in linea",
+ "device_rotated_subtype": "Dispositivo ruotato \" {subtype} \"",
+ "device_slid_subtype": "Dispositivo scivolato \"{subtype}\"",
+ "device_tilted": "Dispositivo inclinato",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" cliccato due volte (modalità Alternata)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" premuto continuamente (modalità Alternata)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" rilasciato dopo una lunga pressione (modalità Alternata)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" cliccato quattro volte (modalità Alternata)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" cliccato cinque volte (modalità Alternata)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" premuto (modalità Alternata)",
+ "subtype_released_alternate_mode": "\"{subtype}\" rilasciato (modalità Alternata)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" cliccato tre volte (modalità Alternata)",
"add_to_queue": "Aggiungi alla coda",
"play_next": "Riproduci successivo",
"options_replace": "Riproduci ora e cancella la coda",
"repeat_all": "Ripeti tutto",
"repeat_one": "Ripeti una volta",
- "no_code_format": "Nessun formato di codice",
- "no_unit_of_measurement": "Nessuna unità di misura",
- "critical": "Critico",
- "debug": "Debug",
- "warning": "Avvertimento",
- "create_an_empty_calendar": "Crea un calendario vuoto",
- "options_import_ics_file": "Carica un file iCalendar (.ics)",
- "passive": "Passivo",
- "most_recently_updated": "Aggiornato più di recente",
- "arithmetic_mean": "Media aritmetica",
- "median": "Mediana",
- "product": "Prodotto",
- "statistical_range": "Intervallo statistico",
- "standard_deviation": "Deviazione standard",
- "fatal": "Fatale",
"alice_blue": "Blu Alice",
"antique_white": "Bianco antico",
"aquamarine": "Acquamarina",
@@ -3037,51 +3327,21 @@
"turquoise": "Turchese",
"wheat": "Grano",
"white_smoke": "Fumo bianco",
- "sets_the_value": "Imposta il valore.",
- "the_target_value": "Il valore obiettivo.",
- "command": "Comando",
- "device_description": "ID dispositivo a cui inviare il comando.",
- "delete_command": "Elimina comando",
- "alternative": "Alternativa",
- "command_type_description": "Il tipo di comando da apprendere.",
- "command_type": "Tipo di comando",
- "timeout_description": "Timeout per l'apprendimento del comando.",
- "learn_command": "Impara il comando",
- "delay_seconds": "Ritardo in secondi",
- "hold_seconds": "Attesa secondi",
- "repeats": "Ripetizioni",
- "send_command": "Invia comando",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Spegni una o più luci.",
- "turn_on_description": "Avvia una nuova attività di pulizia.",
- "set_datetime_description": "Imposta la data e/o l'ora.",
- "the_target_date": "Data prevista.",
- "datetime_description": "La data e l'ora di destinazione.",
- "the_target_time": "Il tempo di destinazione.",
- "creates_a_new_backup": "Crea un nuovo backup.",
- "apply_description": "Attiva una scena con configurazione.",
- "entities_description": "Elenco delle entità e relativo stato di destinazione.",
- "entities_state": "Stato delle entità",
- "transition": "Transition",
- "apply": "Applica",
- "creates_a_new_scene": "Crea una nuova scena.",
- "scene_id_description": "L'ID entità della nuova scena.",
- "scene_entity_id": "ID entità scena",
- "snapshot_entities": "Entità istantanea",
- "delete_description": "Elimina una scena creata dinamicamente.",
- "activates_a_scene": "Attiva una scena.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Posizione desiderata.",
- "set_position": "Imposta posizione",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Percorso della plancia",
- "view_path": "Visualizza il percorso",
- "show_dashboard_view": "Mostra la vista della plancia",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critico",
+ "debug": "Debug",
+ "warning": "Avvertimento",
+ "passive": "Passivo",
+ "no_code_format": "Nessun formato di codice",
+ "no_unit_of_measurement": "Nessuna unità di misura",
+ "fatal": "Fatale",
+ "most_recently_updated": "Aggiornato più di recente",
+ "arithmetic_mean": "Media aritmetica",
+ "median": "Mediana",
+ "product": "Prodotto",
+ "statistical_range": "Intervallo statistico",
+ "standard_deviation": "Deviazione standard",
+ "create_an_empty_calendar": "Crea un calendario vuoto",
+ "options_import_ics_file": "Carica un file iCalendar (.ics)",
"sets_a_random_effect": "Imposta un effetto casuale.",
"sequence_description": "Elenco delle sequenze HSV (Max 16).",
"backgrounds": "Sfondi",
@@ -3098,139 +3358,98 @@
"saturation_range": "Intervallo di saturazione",
"segments_description": "Elenco dei segmenti (0 per tutti).",
"segments": "Segmenti",
+ "transition": "Transizione",
"range_of_transition": "Intervallo di transizione.",
- "transition_range": "Intervallo di transizione",
- "random_effect": "Effetto casuale",
- "sets_a_sequence_effect": "Imposta un effetto sequenza.",
- "repetitions_for_continuous": "Ripetizioni (0 per continuo).",
- "sequence": "Sequenza",
- "speed_of_spread": "Velocità di diffusione.",
- "spread": "Diffusione",
- "sequence_effect": "Effetto sequenza",
- "check_configuration": "Controlla la configurazione",
- "reload_all": "Ricarica tutto",
- "reload_config_entry_description": "Ricarica la voce di configurazione specificata.",
- "config_entry_id": "ID voce di configurazione",
- "reload_config_entry": "Ricarica la voce di configurazione",
- "reload_core_config_description": "Ricarica la configurazione principale dalla configurazione YAML.",
- "reload_core_configuration": "Ricarica la configurazione del nucleo",
- "reload_custom_jinja_templates": "Ricarica i modelli Jinja2 personalizzati",
- "restarts_home_assistant": "Riavvia Home Assistant.",
- "safe_mode_description": "Disattiva le integrazioni e le schede personalizzate.",
- "save_persistent_states": "Salvare gli stati persistenti",
- "set_location_description": "Aggiorna la posizione di Home Assistant.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitudine della tua posizione.",
- "longitude_of_your_location": "Longitudine della tua posizione.",
- "stops_home_assistant": "Arresta Home Assistant.",
- "generic_toggle": "Interruttore generico",
- "generic_turn_off": "Spegnimento generico",
- "generic_turn_on": "Accensione generica",
- "entity_id_description": "Entità a cui fare riferimento nella voce del registro.",
- "entities_to_update": "Entità da aggiornare",
- "update_entity": "Aggiorna entità",
- "turns_auxiliary_heater_on_off": "Accende/spegne il riscaldatore ausiliario.",
- "aux_heat_description": "Nuovo valore del riscaldatore ausiliario.",
- "turn_on_off_auxiliary_heater": "Attiva/disattiva il riscaldatore ausiliario",
- "sets_fan_operation_mode": "Imposta la modalità di funzionamento della ventola.",
- "fan_operation_mode": "Modalità di funzionamento del ventilatore.",
- "set_fan_mode": "Imposta la modalità ventola",
- "sets_target_humidity": "Imposta l'umidità desiderata.",
- "set_target_humidity": "Imposta l'umidità desiderata",
- "sets_hvac_operation_mode": "Imposta la modalità di funzionamento HVAC.",
- "hvac_operation_mode": "Modalità di funzionamento HVAC.",
- "set_hvac_mode": "Imposta la modalità HVAC",
- "sets_preset_mode": "Imposta la modalità preimpostata.",
- "set_preset_mode": "Imposta la modalità preimpostata",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Imposta la modalità di funzionamento dell'oscillazione.",
- "swing_operation_mode": "Modalità di funzionamento oscillante.",
- "set_swing_mode": "Imposta la modalità oscillazione",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Imposta la temperatura desiderata",
- "turns_climate_device_off": "Spegne il dispositivo di climatizzazione.",
- "turns_climate_device_on": "Accende il dispositivo di climatizzazione.",
- "decrement_description": "Decrementa il valore corrente di 1 passo.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Imposta il valore di un numero.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Valore per il parametro di configurazione.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Cancella playlist",
- "selects_the_next_track": "Seleziona il brano successivo.",
- "pauses": "Pausa.",
- "starts_playing": "Inizia la riproduzione.",
- "toggles_play_pause": "Commuta riproduzione/pausa.",
- "selects_the_previous_track": "Seleziona la traccia precedente.",
- "seek": "Cerca",
- "stops_playing": "Interrompe la riproduzione.",
- "starts_playing_specified_media": "Avvia la riproduzione di file multimediali specificati.",
- "announce": "Announce",
- "enqueue": "Accoda",
- "repeat_mode_to_set": "Modalità di ripetizione da impostare.",
- "select_sound_mode_description": "Seleziona una modalità audio specifica.",
- "select_sound_mode": "Seleziona la modalità audio",
- "select_source": "Seleziona sorgente",
- "shuffle_description": "Se la modalità shuffle è abilitata o meno.",
- "toggle_description": "Accende/spegne l'aspirapolvere.",
- "unjoin": "Rimuovi la partecipazione",
- "turns_down_the_volume": "Abbassa il volume.",
- "volume_mute_description": "Attiva o disattiva l'audio del lettore multimediale.",
- "is_volume_muted_description": "Definisce se è disattivato o meno.",
- "mute_unmute_volume": "Disattiva/riattiva il volume",
- "sets_the_volume_level": "Imposta il livello del volume.",
- "level": "Livello",
- "set_volume": "Imposta il volume",
- "turns_up_the_volume": "Alza il volume.",
- "battery_description": "Livello della batteria del dispositivo.",
- "gps_coordinates": "Coordinate GPS",
- "gps_accuracy_description": "Precisione delle coordinate GPS.",
- "hostname_of_the_device": "Nome host del dispositivo.",
- "hostname": "Nome host",
- "mac_description": "Indirizzo MAC del dispositivo.",
- "see": "Vedi",
+ "transition_range": "Intervallo di transizione",
+ "random_effect": "Effetto casuale",
+ "sets_a_sequence_effect": "Imposta un effetto sequenza.",
+ "repetitions_for_continuous": "Ripetizioni (0 per continuo).",
+ "repeats": "Ripetizioni",
+ "sequence": "Sequenza",
+ "speed_of_spread": "Velocità di diffusione.",
+ "spread": "Diffusione",
+ "sequence_effect": "Effetto sequenza",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Attiva/disattiva la sirena.",
+ "turns_the_siren_off": "Disattiva la sirena.",
+ "turns_the_siren_on": "Attiva la sirena.",
"brightness_value": "Brightness value",
- "a_human_readable_color_name": "A human-readable color name.",
- "color_name": "Color name",
- "color_temperature_in_mireds": "Color temperature in mireds.",
- "light_effect": "Light effect.",
- "hue_sat_color": "Hue/Sat color",
- "color_temperature_in_kelvin": "Color temperature in Kelvin.",
+ "a_human_readable_color_name": "Un nome di colore leggibile dall'uomo.",
+ "color_name": "Nome del colore",
+ "color_temperature_in_mireds": "Temperatura di colore in mireds.",
+ "light_effect": "Effetto luce.",
+ "hue_sat_color": "Tonalità/Saturazione del colore",
+ "color_temperature_in_kelvin": "Temperatura di colore in Kelvin.",
"profile_description": "Name of a light profile to use.",
"rgbw_color": "RGBW-color",
"rgbww_color": "RGBWW-color",
- "white_description": "Set the light to white mode.",
- "xy_color": "XY-color",
+ "white_description": "Imposta la luce in modalità bianca.",
+ "xy_color": "Colore XY",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
"brightness_step_value": "Brightness step value",
"brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Aggiunge un nuovo evento al calendario.",
- "calendar_id_description": "L'id del calendario desiderato.",
- "calendar_id": "ID calendario",
- "description_description": "La descrizione dell'evento. Opzionale.",
- "summary_description": "Funge da titolo dell'evento.",
- "create_event_description": "Aggiunge un nuovo evento del calendario.",
- "location_description": "Il luogo dell'evento.",
- "create_event": "Crea Evento",
- "apply_filter": "Applica il filtro",
- "days_to_keep": "Giorni da conservare",
- "repack": "Riorganizza",
- "purge": "Pulizia",
- "domains_to_remove": "Domini da rimuovere",
- "entity_globs_to_remove": "Entità globali da rimuovere",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Elimina le entità",
+ "brightness_step": "Passo di luminosità",
+ "toggles_the_helper_on_off": "Attiva/disattiva l'aiutante.",
+ "turns_off_the_helper": "Disattiva l'aiutante.",
+ "turns_on_the_helper": "Attiva l'aiutante.",
+ "pauses_the_mowing_task": "Sospende l'attività di falciatura.",
+ "starts_the_mowing_task": "Avvia l'attività di falciatura.",
+ "creates_a_new_backup": "Crea un nuovo backup.",
+ "sets_the_value": "Imposta il valore.",
+ "enter_your_text": "Inserisci il tuo testo.",
+ "set_value": "Imposta valore",
+ "clear_lock_user_code_description": "Cancella un codice utente da una serratura.",
+ "code_slot_description": "Slot per inserire il codice.",
+ "code_slot": "Codice slot",
+ "clear_lock_user": "Cancella blocco utente",
+ "disable_lock_user_code_description": "Disabilita un codice utente su una serratura.",
+ "code_slot_to_disable": "Codice slot da disabilitare.",
+ "disable_lock_user": "Disabilita blocco utente",
+ "enable_lock_user_code_description": "Abilita un codice utente su una serratura.",
+ "code_slot_to_enable": "Codice slot da abilitare.",
+ "enable_lock_user": "Abilita blocco utente",
+ "args_description": "Argomenti da passare al comando.",
+ "args": "Argomenti",
+ "cluster_id_description": "Cluster ZCL per il quale recuperare gli attributi.",
+ "cluster_id": "ID cluster",
+ "type_of_the_cluster": "Tipo di cluster.",
+ "cluster_type": "Tipo di cluster",
+ "command_description": "Comandi da inviare a Google Assistant.",
+ "command": "Comando",
+ "command_type_description": "Il tipo di comando da apprendere.",
+ "command_type": "Tipo di comando",
+ "endpoint_id_description": "ID dell'endpoint per il cluster.",
+ "endpoint_id": "ID punto finale",
+ "ieee_description": "Indirizzo IEEE per il dispositivo.",
+ "ieee": "IEEE",
+ "manufacturer": "Produttore",
+ "params_description": "Parametri da passare al comando.",
+ "params": "Parametri",
+ "issue_zigbee_cluster_command": "Emettere il comando cluster zigbee",
+ "group_description": "Indirizzo esadecimale del gruppo.",
+ "issue_zigbee_group_command": "Emetti il comando di gruppo zigbee",
+ "permit_description": "Consente ai nodi di unirsi alla rete Zigbee.",
+ "time_to_permit_joins": "Tempo necessario per consentire le unioni.",
+ "install_code": "Installa il codice",
+ "qr_code": "Codice QR",
+ "source_ieee": "Fonte IEEE",
+ "permit": "Permesso",
+ "reconfigure_device": "Riconfigurare il dispositivo",
+ "remove_description": "Rimuove un nodo dalla rete Zigbee.",
+ "set_lock_user_code_description": "Imposta un codice utente su una serratura.",
+ "code_to_set": "Codice da impostare.",
+ "set_lock_user_code": "Imposta il codice utente di blocco",
+ "attribute_description": "ID dell'attributo da impostare.",
+ "value_description": "Il valore target da impostare.",
+ "set_zigbee_cluster_attribute": "Imposta l'attributo del cluster zigbee",
+ "level": "Livello",
+ "strobe": "Strobo",
+ "warning_device_squawk": "Squawk del dispositivo di allarme",
+ "duty_cycle": "Ciclo di lavoro strobo",
+ "intensity": "Intensità strobo",
+ "warning_device_starts_alert": "Il dispositivo di avviso inizia l'allarme",
"dump_log_objects": "Scarica gli oggetti del registro",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3256,39 +3475,310 @@
"stop_logging_object_sources": "Interrompi la registrazione delle origini oggetto",
"stop_log_objects_description": "Arresta la registrazione della crescita degli oggetti in memoria.",
"stop_logging_objects": "Interrompi la registrazione degli oggetti",
+ "set_default_level_description": "Imposta il livello di registro predefinito per le integrazioni.",
+ "level_description": "Livello di gravità predefinito per tutte le integrazioni.",
+ "set_default_level": "Imposta il livello predefinito",
+ "set_level": "Imposta livello",
+ "stops_a_running_script": "Arresta uno script in esecuzione.",
+ "clear_skipped_update": "Cancella l'aggiornamento saltato",
+ "install_update": "Installa aggiornamento",
+ "skip_description": "Contrassegna l'aggiornamento attualmente disponibile come saltato.",
+ "skip_update": "Salta aggiornamento",
+ "decrease_speed_description": "Diminuisce la velocità di un ventilatore.",
+ "decrease_speed": "Diminuisci la velocità",
+ "increase_speed_description": "Aumenta la velocità di un ventilatore.",
+ "increase_speed": "Aumenta la velocità",
+ "oscillate_description": "Controlla l'oscillazione di un ventilatore.",
+ "turns_oscillation_on_off": "Attiva/disattiva l'oscillazione.",
+ "set_direction_description": "Imposta la direzione di rotazione di un ventilatore.",
+ "direction_description": "Direzione della rotazione del ventilatore.",
+ "set_direction": "Imposta la direzione",
+ "set_percentage_description": "Imposta la velocità di un ventilatore.",
+ "speed_of_the_fan": "Velocità del ventilatore.",
+ "percentage": "Percentuale",
+ "set_speed": "Imposta la velocità",
+ "sets_preset_fan_mode": "Imposta la modalità ventilatore preimpostata.",
+ "preset_fan_mode": "Modalità ventilatore preimpostata.",
+ "set_preset_mode": "Imposta la modalità preimpostata",
+ "toggles_a_fan_on_off": "Accende/spegne un ventilatore.",
+ "turns_fan_off": "Spegne il ventilatore.",
+ "turns_fan_on": "Accende il ventilatore.",
+ "set_datetime_description": "Imposta la data e/o l'ora.",
+ "the_target_date": "Data prevista.",
+ "datetime_description": "La data e l'ora di destinazione.",
+ "the_target_time": "Il tempo di destinazione.",
+ "log_description": "Crea una voce personalizzata nel registro.",
+ "entity_id_description": "Lettori multimediali per riprodurre il messaggio.",
+ "message_description": "Corpo del messaggio della notifica.",
+ "request_sync_description": "Invia un comando request_sync a Google.",
+ "agent_user_id": "ID utente agente",
+ "request_sync": "Richiedi la sincronizzazione",
+ "apply_description": "Attiva una scena con configurazione.",
+ "entities_description": "Elenco delle entità e relativo stato di destinazione.",
+ "entities_state": "Stato delle entità",
+ "apply": "Applica",
+ "creates_a_new_scene": "Crea una nuova scena.",
+ "entity_states": "Entity states",
+ "scene_id_description": "L'ID entità della nuova scena.",
+ "scene_entity_id": "ID entità scena",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Elimina una scena creata dinamicamente.",
+ "activates_a_scene": "Attiva una scena.",
"reload_themes_description": "Ricarica i temi dalla configurazione YAML.",
"reload_themes": "Ricarica i temi",
"name_of_a_theme": "Nome di un tema.",
"set_the_default_theme": "Imposta il tema predefinito",
+ "decrement_description": "Decrementa il valore corrente di 1 passo.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Imposta il valore di un numero.",
+ "check_configuration": "Controlla la configurazione",
+ "reload_all": "Ricarica tutto",
+ "reload_config_entry_description": "Ricarica la voce di configurazione specificata.",
+ "config_entry_id": "ID voce di configurazione",
+ "reload_config_entry": "Ricarica la voce di configurazione",
+ "reload_core_config_description": "Ricarica la configurazione principale dalla configurazione YAML.",
+ "reload_core_configuration": "Ricarica la configurazione del nucleo",
+ "reload_custom_jinja_templates": "Ricarica i modelli Jinja2 personalizzati",
+ "restarts_home_assistant": "Riavvia Home Assistant.",
+ "safe_mode_description": "Disattiva le integrazioni e le schede personalizzate.",
+ "save_persistent_states": "Salvare gli stati persistenti",
+ "set_location_description": "Aggiorna la posizione di Home Assistant.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitudine della tua posizione.",
+ "longitude_of_your_location": "Longitudine della tua posizione.",
+ "set_location": "Imposta posizione",
+ "stops_home_assistant": "Arresta Home Assistant.",
+ "generic_toggle": "Interruttore generico",
+ "generic_turn_off": "Spegnimento generico",
+ "generic_turn_on": "Accensione generica",
+ "entities_to_update": "Entità da aggiornare",
+ "update_entity": "Aggiorna entità",
+ "notify_description": "Invia un messaggio di notifica alle destinazioni selezionate.",
+ "data": "Dati",
+ "title_for_your_notification": "Il titolo per la tua notifica.",
+ "title_of_the_notification": "Titolo della notifica.",
+ "send_a_persistent_notification": "Invia una notifica permanente",
+ "sends_a_notification_message": "Invia un messaggio di notifica.",
+ "your_notification_message": "Il tuo messaggio di notifica.",
+ "title_description": "Titolo facoltativo della notifica.",
+ "send_a_notification_message": "Invia un messaggio di notifica",
+ "send_magic_packet": "Invia pacchetto magico",
+ "topic_to_listen_to": "Argomento da ascoltare.",
+ "topic": "Argomento",
+ "export": "Esporta",
+ "publish_description": "Pubblica un messaggio in un argomento MQTT.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "Il payload da pubblicare.",
+ "payload": "Payload",
+ "payload_template": "Modello di payload",
+ "qos": "QoS",
+ "retain": "Conserva",
+ "topic_to_publish_to": "Argomento in cui pubblicare.",
+ "publish": "Pubblica",
+ "load_url_description": "Carica un URL su Fully Kiosk Browser.",
+ "url_to_load": "URL da caricare.",
+ "load_url": "Carica URL",
+ "configuration_parameter_to_set": "Parametro di configurazione da impostare.",
+ "key": "Chiave",
+ "set_configuration": "Imposta configurazione",
+ "application_description": "Nome del pacchetto dell'applicazione da avviare.",
+ "application": "Applicazione",
+ "start_application": "Avvia applicazione",
+ "battery_description": "Livello della batteria del dispositivo.",
+ "gps_coordinates": "Coordinate GPS",
+ "gps_accuracy_description": "Precisione delle coordinate GPS.",
+ "hostname_of_the_device": "Nome host del dispositivo.",
+ "hostname": "Nome host",
+ "mac_description": "Indirizzo MAC del dispositivo.",
+ "see": "Vedi",
+ "device_description": "ID dispositivo a cui inviare il comando.",
+ "delete_command": "Elimina comando",
+ "alternative": "Alternativa",
+ "timeout_description": "Timeout per l'apprendimento del comando.",
+ "learn_command": "Impara il comando",
+ "delay_seconds": "Ritardo in secondi",
+ "hold_seconds": "Attesa secondi",
+ "send_command": "Invia comando",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Avvia una nuova attività di pulizia.",
+ "get_weather_forecast": "Ottieni le previsioni del tempo.",
+ "type_description": "Tipo di previsione: giornaliera, oraria o due volte al giorno.",
+ "forecast_type": "Tipo di previsione",
+ "get_forecast": "Ottieni previsioni",
+ "get_weather_forecasts": "Ricevi le previsioni del tempo.",
+ "press_the_button_entity": "Premere il pulsante entità",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "ID di notifica",
+ "dismiss_description": "Elimina una notifica dal pannello delle notifiche.",
+ "notification_id_description": "ID della notifica da eliminare.",
+ "dismiss_all_description": "Elimina tutte le notifiche dal pannello delle notifiche.",
+ "locate_description": "Individua il robot aspirapolvere.",
+ "pauses_the_cleaning_task": "Sospende l'attività di pulizia.",
+ "send_command_description": "Invia un comando all'aspirapolvere.",
+ "set_fan_speed": "Imposta la velocità della ventola",
+ "start_description": "Avvia o riprende l'attività di pulizia.",
+ "start_pause_description": "Avvia, sospende o riprende l'attività di pulizia.",
+ "stop_description": "Interrompe l'attività di pulizia corrente.",
+ "toggle_description": "Attiva/disattiva un lettore multimediale.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "Velocità di movimento PTZ.",
+ "ptz_move": "Movimento PTZ",
+ "disables_the_motion_detection": "Disabilita il rilevamento del movimento.",
+ "disable_motion_detection": "Disabilita il rilevamento del movimento",
+ "enables_the_motion_detection": "Abilita il rilevamento del movimento.",
+ "enable_motion_detection": "Abilita il rilevamento del movimento",
+ "format_description": "Formato di streaming supportato dal lettore multimediale.",
+ "format": "Formato",
+ "media_player_description": "Lettori multimediali su cui eseguire lo streaming.",
+ "play_stream": "Riproduci stream",
+ "filename_description": "Percorso completo del nome file. Deve essere mp4.",
+ "filename": "Nome del file",
+ "lookback": "Retrospettiva",
+ "snapshot_description": "Scatta un'istantanea da una fotocamera.",
+ "full_path_to_filename": "Percorso completo del nome file.",
+ "take_snapshot": "Scatta un'istantanea",
+ "turns_off_the_camera": "Spegne la fotocamera.",
+ "turns_on_the_camera": "Accende la fotocamera.",
+ "reload_resources_description": "Ricarica le risorse della plancia dalla configurazione YAML.",
"clear_tts_cache": "Svuota la cache di sintesi vocale",
"cache": "Cache",
"language_description": "Lingua del testo. L'impostazione predefinita è la lingua del server.",
"options_description": "Un dizionario contenente opzioni specifiche per l'integrazione.",
"say_a_tts_message": "Pronuncia un messaggio di sintesi vocale",
- "media_player_entity_id_description": "Lettori multimediali per riprodurre il messaggio.",
"media_player_entity": "Entità lettore multimediale",
- "reload_resources_description": "Ricarica le risorse della plancia dalla configurazione YAML.",
- "toggles_the_siren_on_off": "Attiva/disattiva la sirena.",
- "turns_the_siren_off": "Disattiva la sirena.",
- "turns_the_siren_on": "Attiva la sirena.",
- "toggles_the_helper_on_off": "Attiva/disattiva l'aiutante.",
- "turns_off_the_helper": "Disattiva l'aiutante.",
- "turns_on_the_helper": "Attiva l'aiutante.",
- "pauses_the_mowing_task": "Sospende l'attività di falciatura.",
- "starts_the_mowing_task": "Avvia l'attività di falciatura.",
+ "send_text_command": "Invia comando di testo",
+ "the_target_value": "Il valore obiettivo.",
+ "removes_a_group": "Rimuove un gruppo.",
+ "object_id": "ID oggetto",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "icon_description": "Nome dell'icona per il gruppo.",
+ "name_of_the_group": "Nome del gruppo.",
+ "locks_a_lock": "Blocca una serratura.",
+ "code_description": "Codice per inserire l'allarme.",
+ "opens_a_lock": "Apre una serratura.",
+ "unlocks_a_lock": "Sblocca una serratura.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Annuncia",
+ "reloads_the_automation_configuration": "Ricarica la configurazione dell'automazione.",
+ "trigger_description": "Attiva le azioni di un'automazione.",
+ "skip_conditions": "Salta le condizioni",
+ "trigger": "Attivazione",
+ "disables_an_automation": "Disabilita l'automazione",
+ "stops_currently_running_actions": "Ferma le azioni attualmente in esecuzione",
+ "stop_actions": "Ferma le azioni",
+ "enables_an_automation": "Attiva una automazione",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Scrivi voce di registro.",
+ "log_level": "Livello di registro.",
+ "message_to_log": "Messaggio da registrare.",
+ "write": "Scrivi",
+ "dashboard_path": "Percorso della plancia",
+ "view_path": "Visualizza il percorso",
+ "show_dashboard_view": "Mostra la vista della plancia",
+ "process_description": "Avvia una conversazione da un testo trascritto.",
+ "agent": "Agente",
+ "conversation_id": "ID conversazione",
+ "transcribed_text_input": "Inserimento del testo trascritto.",
+ "process": "Processo",
+ "reloads_the_intent_configuration": "Ricarica la configurazione degli intenti.",
+ "conversation_agent_to_reload": "Agente di conversazione da ricaricare.",
+ "closes_a_cover": "Chiude una copertina.",
+ "close_cover_tilt_description": "Inclina una copertura per chiuderla.",
+ "close_tilt": "Chiudi inclinazione",
+ "opens_a_cover": "Apre una copertura.",
+ "tilts_a_cover_open": "Inclina una copertura aperta.",
+ "open_tilt": "Inclinazione aperta",
+ "set_cover_position_description": "Sposta una copertura in una posizione specifica.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Posizione di inclinazione desiderata.",
+ "set_tilt_position": "Imposta la posizione di inclinazione",
+ "stops_the_cover_movement": "Arresta il movimento della copertura.",
+ "stop_cover_tilt_description": "Arresta il movimento della copertura inclinata.",
+ "stop_tilt": "Arresta inclinazione",
+ "toggles_a_cover_open_closed": "Attiva/disattiva una copertura aperta/chiusa.",
+ "toggle_cover_tilt_description": "Attiva/disattiva l'apertura/chiusura dell'inclinazione di una copertura.",
+ "toggle_tilt": "Attiva/disattiva l'inclinazione",
+ "turns_auxiliary_heater_on_off": "Accende/spegne il riscaldatore ausiliario.",
+ "aux_heat_description": "Nuovo valore del riscaldatore ausiliario.",
+ "turn_on_off_auxiliary_heater": "Attiva/disattiva il riscaldatore ausiliario",
+ "sets_fan_operation_mode": "Imposta la modalità di funzionamento della ventola.",
+ "fan_operation_mode": "Modalità di funzionamento del ventilatore.",
+ "set_fan_mode": "Imposta la modalità ventola",
+ "sets_target_humidity": "Imposta l'umidità desiderata.",
+ "set_target_humidity": "Imposta l'umidità desiderata",
+ "sets_hvac_operation_mode": "Imposta la modalità di funzionamento HVAC.",
+ "hvac_operation_mode": "Modalità di funzionamento HVAC.",
+ "set_hvac_mode": "Imposta la modalità HVAC",
+ "sets_preset_mode": "Imposta la modalità preimpostata.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Imposta la modalità di funzionamento dell'oscillazione.",
+ "swing_operation_mode": "Modalità di funzionamento oscillante.",
+ "set_swing_mode": "Imposta la modalità oscillazione",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Imposta la temperatura desiderata",
+ "turns_climate_device_off": "Spegne il dispositivo di climatizzazione.",
+ "turns_climate_device_on": "Accende il dispositivo di climatizzazione.",
+ "apply_filter": "Applica il filtro",
+ "days_to_keep": "Giorni da conservare",
+ "repack": "Riorganizza",
+ "purge": "Pulizia",
+ "domains_to_remove": "Domini da rimuovere",
+ "entity_globs_to_remove": "Entità globali da rimuovere",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Elimina le entità",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Cancella playlist",
+ "selects_the_next_track": "Seleziona il brano successivo.",
+ "pauses": "Pausa.",
+ "starts_playing": "Inizia la riproduzione.",
+ "toggles_play_pause": "Commuta riproduzione/pausa.",
+ "selects_the_previous_track": "Seleziona la traccia precedente.",
+ "seek": "Cerca",
+ "stops_playing": "Interrompe la riproduzione.",
+ "starts_playing_specified_media": "Avvia la riproduzione di file multimediali specificati.",
+ "enqueue": "Accoda",
+ "repeat_mode_to_set": "Modalità di ripetizione da impostare.",
+ "select_sound_mode_description": "Seleziona una modalità audio specifica.",
+ "select_sound_mode": "Seleziona la modalità audio",
+ "select_source": "Seleziona sorgente",
+ "shuffle_description": "Se la modalità shuffle è abilitata o meno.",
+ "unjoin": "Rimuovi la partecipazione",
+ "turns_down_the_volume": "Abbassa il volume.",
+ "volume_mute_description": "Attiva o disattiva l'audio del lettore multimediale.",
+ "is_volume_muted_description": "Definisce se è disattivato o meno.",
+ "mute_unmute_volume": "Disattiva/riattiva il volume",
+ "sets_the_volume_level": "Imposta il livello del volume.",
+ "set_volume": "Imposta il volume",
+ "turns_up_the_volume": "Alza il volume.",
"restarts_an_add_on": "Riavvia un componente aggiuntivo.",
- "the_add_on_to_restart": "The add-on to restart.",
+ "the_add_on_to_restart": "Il componente aggiuntivo da riavviare.",
"restart_add_on": "Restart add-on",
"starts_an_add_on": "Avvia un componente aggiuntivo.",
"the_add_on_to_start": "The add-on to start.",
"start_add_on": "Avvia il componente aggiuntivo",
"addon_stdin_description": "Writes data to the add-on's standard input.",
- "addon_description": "The add-on to write to.",
+ "addon_description": "Il componente aggiuntivo su cui scrivere.",
"addon_stdin_name": "Write data to add-on stdin",
"stops_an_add_on": "Arresta un componente aggiuntivo.",
- "the_add_on_to_stop": "The add-on to stop.",
+ "the_add_on_to_stop": "Il componente aggiuntivo da fermare.",
"stop_add_on": "Stop add-on",
- "the_add_on_to_update": "The add-on to update.",
+ "the_add_on_to_update": "Lo slug del componente aggiuntivo.",
"update_add_on": "Update add-on",
"creates_a_full_backup": "Crea un backup completo.",
"compresses_the_backup_files": "Comprime i file di backup.",
@@ -3314,38 +3804,6 @@
"restore_partial_description": "Ripristina da un backup parziale.",
"restores_home_assistant": "Ripristina Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Diminuisce la velocità di un ventilatore.",
- "decrease_speed": "Diminuisci la velocità",
- "increase_speed_description": "Aumenta la velocità di un ventilatore.",
- "increase_speed": "Aumenta la velocità",
- "oscillate_description": "Controlla l'oscillazione di un ventilatore.",
- "turns_oscillation_on_off": "Attiva/disattiva l'oscillazione.",
- "set_direction_description": "Imposta la direzione di rotazione di un ventilatore.",
- "direction_description": "Direzione della rotazione del ventilatore.",
- "set_direction": "Imposta la direzione",
- "set_percentage_description": "Imposta la velocità di un ventilatore.",
- "speed_of_the_fan": "Velocità del ventilatore.",
- "percentage": "Percentuale",
- "set_speed": "Imposta la velocità",
- "sets_preset_fan_mode": "Imposta la modalità ventilatore preimpostata.",
- "preset_fan_mode": "Modalità ventilatore preimpostata.",
- "toggles_a_fan_on_off": "Accende/spegne un ventilatore.",
- "turns_fan_off": "Spegne il ventilatore.",
- "turns_fan_on": "Accende il ventilatore.",
- "get_weather_forecast": "Ottieni le previsioni del tempo.",
- "type_description": "Tipo di previsione: giornaliera, oraria o due volte al giorno.",
- "forecast_type": "Tipo di previsione",
- "get_forecast": "Ottieni previsioni",
- "get_weather_forecasts": "Ricevi le previsioni del tempo.",
- "clear_skipped_update": "Cancella l'aggiornamento saltato",
- "install_update": "Installa aggiornamento",
- "skip_description": "Contrassegna l'aggiornamento attualmente disponibile come saltato.",
- "skip_update": "Salta aggiornamento",
- "code_description": "Codice utilizzato per sbloccare la serratura.",
- "arm_with_custom_bypass": "Attiva con esclusione personalizzata",
- "alarm_arm_vacation_description": "Imposta l'allarme su: _attivo per vacanza_.",
- "disarms_the_alarm": "Disattiva l'allarme.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
"selects_the_first_option": "Seleziona la prima opzione.",
"first": "Prima",
"selects_the_last_option": "Seleziona l'ultima opzione.",
@@ -3353,75 +3811,16 @@
"selects_an_option": "Seleziona una opzione.",
"option_to_be_selected": "Opzione da selezionare.",
"selects_the_previous_option": "Seleziona l'opzione precedente.",
- "disables_the_motion_detection": "Disabilita il rilevamento del movimento.",
- "disable_motion_detection": "Disabilita il rilevamento del movimento",
- "enables_the_motion_detection": "Abilita il rilevamento del movimento.",
- "enable_motion_detection": "Abilita il rilevamento del movimento",
- "format_description": "Formato di streaming supportato dal lettore multimediale.",
- "format": "Formato",
- "media_player_description": "Lettori multimediali su cui eseguire lo streaming.",
- "play_stream": "Riproduci stream",
- "filename_description": "Percorso completo del nome file. Deve essere mp4.",
- "filename": "Nome del file",
- "lookback": "Retrospettiva",
- "snapshot_description": "Scatta un'istantanea da una fotocamera.",
- "full_path_to_filename": "Percorso completo del nome file.",
- "take_snapshot": "Scatta un'istantanea",
- "turns_off_the_camera": "Spegne la fotocamera.",
- "turns_on_the_camera": "Accende la fotocamera.",
- "press_the_button_entity": "Premere il pulsante entità",
+ "create_event_description": "Adds a new calendar event.",
+ "location_description": "Il luogo dell'evento. Opzionale.",
"start_date_description": "La data in cui dovrebbe iniziare l'evento che dura tutto il giorno.",
+ "create_event": "Create event",
"get_events": "Ricevi eventi",
- "sets_the_options": "Imposta le opzioni.",
- "list_of_options": "Elenco delle opzioni.",
- "set_options": "Imposta le opzioni",
- "closes_a_cover": "Chiude una copertina.",
- "close_cover_tilt_description": "Inclina una copertura per chiuderla.",
- "close_tilt": "Chiudi inclinazione",
- "opens_a_cover": "Apre una copertura.",
- "tilts_a_cover_open": "Inclina una copertura aperta.",
- "open_tilt": "Inclinazione aperta",
- "set_cover_position_description": "Sposta una copertura in una posizione specifica.",
- "target_tilt_positition": "Posizione di inclinazione desiderata.",
- "set_tilt_position": "Imposta la posizione di inclinazione",
- "stops_the_cover_movement": "Arresta il movimento della copertura.",
- "stop_cover_tilt_description": "Arresta il movimento della copertura inclinata.",
- "stop_tilt": "Arresta inclinazione",
- "toggles_a_cover_open_closed": "Attiva/disattiva una copertura aperta/chiusa.",
- "toggle_cover_tilt_description": "Attiva/disattiva l'apertura/chiusura dell'inclinazione di una copertura.",
- "toggle_tilt": "Attiva/disattiva l'inclinazione",
- "request_sync_description": "Invia un comando request_sync a Google.",
- "agent_user_id": "ID utente agente",
- "request_sync": "Richiedi la sincronizzazione",
- "log_description": "Crea una voce personalizzata nel registro.",
- "message_description": "Corpo del messaggio della notifica.",
- "enter_your_text": "Inserisci il tuo testo.",
- "set_value": "Imposta valore",
- "topic_to_listen_to": "Argomento da ascoltare.",
- "topic": "Argomento",
- "export": "Esporta",
- "publish_description": "Pubblica un messaggio in un argomento MQTT.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "Il payload da pubblicare.",
- "payload": "Payload",
- "payload_template": "Modello di payload",
- "qos": "QoS",
- "retain": "Conserva",
- "topic_to_publish_to": "Argomento in cui pubblicare.",
- "publish": "Pubblica",
- "reloads_the_automation_configuration": "Ricarica la configurazione dell'automazione.",
- "trigger_description": "Attiva le azioni di un'automazione.",
- "skip_conditions": "Salta le condizioni",
- "disables_an_automation": "Disabilita l'automazione",
- "stops_currently_running_actions": "Ferma le azioni attualmente in esecuzione",
- "stop_actions": "Ferma le azioni",
- "enables_an_automation": "Attiva una automazione",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Imposta il livello di registro predefinito per le integrazioni.",
- "level_description": "Livello di gravità predefinito per tutte le integrazioni.",
- "set_default_level": "Imposta il livello predefinito",
- "set_level": "Imposta livello",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Identificatore del bridge",
"configuration_payload": "Payload di configurazione",
"entity_description": "Rappresenta un endpoint di dispositivo specifico in deCONZ.",
@@ -3430,81 +3829,32 @@
"device_refresh_description": "Aggiorna i dispositivi disponibili da deCONZ.",
"device_refresh": "Aggiornamento del dispositivo",
"remove_orphaned_entries": "Rimuovere le voci orfane",
- "locate_description": "Individua il robot aspirapolvere.",
- "pauses_the_cleaning_task": "Sospende l'attività di pulizia.",
- "send_command_description": "Invia un comando all'aspirapolvere.",
- "command_description": "Comandi da inviare a Google Assistant.",
- "parameters": "Parametri",
- "set_fan_speed": "Imposta la velocità della ventola",
- "start_description": "Avvia o riprende l'attività di pulizia.",
- "start_pause_description": "Avvia, sospende o riprende l'attività di pulizia.",
- "stop_description": "Interrompe l'attività di pulizia corrente.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Attiva/disattiva un interruttore.",
- "turns_a_switch_off": "Spegne un interruttore.",
- "turns_a_switch_on": "Accende un interruttore.",
+ "add_event_description": "Aggiunge un nuovo evento al calendario.",
+ "calendar_id_description": "L'id del calendario desiderato.",
+ "calendar_id": "ID calendario",
+ "description_description": "La descrizione dell'evento. Opzionale.",
+ "summary_description": "Funge da titolo dell'evento.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Scarica il file da un determinato URL.",
- "notify_description": "Invia un messaggio di notifica alle destinazioni selezionate.",
- "data": "Dati",
- "title_for_your_notification": "Il titolo per la tua notifica.",
- "title_of_the_notification": "Titolo della notifica.",
- "send_a_persistent_notification": "Invia una notifica permanente",
- "sends_a_notification_message": "Invia un messaggio di notifica.",
- "your_notification_message": "Il tuo messaggio di notifica.",
- "title_description": "Titolo facoltativo della notifica.",
- "send_a_notification_message": "Invia un messaggio di notifica",
- "process_description": "Avvia una conversazione da un testo trascritto.",
- "agent": "Agente",
- "conversation_id": "ID conversazione",
- "transcribed_text_input": "Inserimento del testo trascritto.",
- "process": "Processo",
- "reloads_the_intent_configuration": "Ricarica la configurazione degli intenti.",
- "conversation_agent_to_reload": "Agente di conversazione da ricaricare.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "Velocità di movimento PTZ.",
- "ptz_move": "Movimento PTZ",
- "send_magic_packet": "Invia pacchetto magico",
- "send_text_command": "Invia comando di testo",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Scrivi voce di registro.",
- "log_level": "Livello di registro.",
- "message_to_log": "Messaggio da registrare.",
- "write": "Scrivi",
- "locks_a_lock": "Blocca una serratura.",
- "opens_a_lock": "Apre una serratura.",
- "unlocks_a_lock": "Sblocca una serratura.",
- "removes_a_group": "Rimuove un gruppo.",
- "object_id": "ID oggetto",
- "creates_updates_a_group": "Creates/Updates a group.",
- "icon_description": "Nome dell'icona per il gruppo.",
- "name_of_the_group": "Nome del gruppo.",
- "stops_a_running_script": "Arresta uno script in esecuzione.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "ID di notifica",
- "dismiss_description": "Elimina una notifica dal pannello delle notifiche.",
- "notification_id_description": "ID della notifica da eliminare.",
- "dismiss_all_description": "Elimina tutte le notifiche dal pannello delle notifiche.",
- "load_url_description": "Carica un URL su Fully Kiosk Browser.",
- "url_to_load": "URL da caricare.",
- "load_url": "Carica URL",
- "configuration_parameter_to_set": "Parametro di configurazione da impostare.",
- "key": "Chiave",
- "set_configuration": "Imposta configurazione",
- "application_description": "Nome del pacchetto dell'applicazione da avviare.",
- "application": "Applicazione",
- "start_application": "Avvia applicazione"
+ "sets_the_options": "Imposta le opzioni.",
+ "list_of_options": "Elenco delle opzioni.",
+ "set_options": "Imposta le opzioni",
+ "arm_with_custom_bypass": "Attiva con esclusione personalizzata",
+ "alarm_arm_vacation_description": "Imposta l'allarme su: _attivo per vacanza_.",
+ "disarms_the_alarm": "Disattiva l'allarme.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Attiva/disattiva un interruttore.",
+ "turns_a_switch_off": "Spegne un interruttore.",
+ "turns_a_switch_on": "Accende un interruttore."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/ja/ja.json b/packages/core/src/hooks/useLocale/locales/ja/ja.json
index 497a184d..5625f300 100644
--- a/packages/core/src/hooks/useLocale/locales/ja/ja.json
+++ b/packages/core/src/hooks/useLocale/locales/ja/ja.json
@@ -1,7 +1,7 @@
{
"energy": "エネルギー",
"calendar": "カレンダー",
- "set": "設定",
+ "settings": "設定",
"overview": "オーバービュー",
"map": "地図",
"logbook": "ログブック",
@@ -68,7 +68,7 @@
"increment": "インクリメント",
"decrement": "デクリメント",
"reset": "リセット",
- "position": "位置",
+ "position": "ポジション",
"tilt_position": "チルト位置",
"open_cover": "カバーを開く",
"close_cover": "カバーを閉じる",
@@ -244,6 +244,7 @@
"entity": "エンティティ",
"floor": "フロア",
"icon": "アイコン",
+ "location": "ロケーション",
"number": "番号",
"object": "オブジェクト",
"rgb_color": "RGBカラー",
@@ -256,6 +257,7 @@
"learn_more_about_templating": "テンプレートについてもっと詳しく。",
"show_password": "パスワードを表示",
"hide_password": "パスワードを隠す",
+ "ui_components_selectors_background_yaml_info": "背景画像は yaml エディタで設定されます。",
"no_logbook_events_found": "ログブックにイベントが見つかりません。",
"triggered_by": "トリガーは、",
"triggered_by_automation": "オートメーションによるトリガー",
@@ -273,6 +275,7 @@
"was_detected_away": "外出しました",
"was_detected_at_state": "{state}で検出されました",
"rose": "明け方",
+ "set": "セット",
"was_low": "低かった",
"was_normal": "正常でした",
"was_connected": "接続されました",
@@ -623,7 +626,7 @@
"line_line_column_column": "行: {line} 、列: {column}",
"last_changed": "最終変更",
"last_updated": "最終更新",
- "remaining_time": "残り時間",
+ "time_left": "残り時間",
"install_status": "インストール状況",
"safe_mode": "セーフモード",
"all_yaml_configuration": "すべてのYAML設定",
@@ -724,6 +727,7 @@
"ui_dialogs_more_info_control_update_create_backup": "アップデートする前にバックアップを作成",
"update_instructions": "更新手順",
"current_activity": "現在のアクティビティ",
+ "status": "ステータス 2",
"vacuum_cleaner_commands": "掃除機コマンド:",
"fan_speed": "ファン速度",
"clean_spot": "クリーンスポット",
@@ -756,7 +760,7 @@
"default_code": "デフォルトのコード",
"editor_default_code_error": "コードがコード形式と一致しません",
"entity_id": "エンティティID",
- "unit_of_measurement": "測定の単位",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "降水量の単位",
"display_precision": "表示精度",
"default_value": "デフォルト ({value})",
@@ -776,7 +780,7 @@
"cold": "コールド",
"connectivity": "コネクティビティ",
"gas": "ガス",
- "heat": "ヒート",
+ "heat": "暖房",
"light": "照明",
"moisture": "湿気",
"motion": "モーション",
@@ -837,7 +841,7 @@
"restart_home_assistant": "Home Assistantを再起動しますか?",
"advanced_options": "詳細オプション",
"quick_reload": "クイックリロード",
- "reload_description": "使用可能なすべてのスクリプトをリロードします。",
+ "reload_description": "YAML 構成からタイマーをリロードします。",
"reloading_configuration": "設定をリロード",
"failed_to_reload_configuration": "設定の再読み込みに失敗しました",
"restart_description": "実行中のすべてのオートメーションとスクリプトを中断します。",
@@ -865,8 +869,8 @@
"password": "パスワード",
"regex_pattern": "正規表現パターン",
"used_for_client_side_validation": "クライアント側の検証に使用",
- "minimum_value": "最小値",
- "maximum_value": "最大値",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "入力フィールド",
"slider": "スライダー",
"step_size": "ステップサイズ",
@@ -1180,7 +1184,7 @@
"ui_panel_lovelace_editor_edit_view_type_helper_sections": "移行はまだサポートされていないため、「セクション」ビュー タイプを使用するようにビューを変更することはできません。 「セクション」ビューを試してみたい場合は、新しいビューを最初から作成してください。",
"card_configuration": "カード設定",
"type_card_configuration": "{type}カードの設定",
- "edit_card_pick_card": "どのカードを追加しますか?",
+ "edit_card_pick_card": "Which card would you like to add?",
"toggle_editor": "エディタの切り替え",
"you_have_unsaved_changes": "変更が保存されていません",
"edit_card_confirm_cancel": "キャンセルしてもよいですか?",
@@ -1376,6 +1380,11 @@
"graph_type": "グラフの種類",
"to_do_list": "To-doリスト",
"hide_completed_items": "完了したアイテムを非表示にする",
+ "ui_panel_lovelace_editor_card_todo_list_display_order": "表示順序",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc": "アルファベット順(A-Z)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_desc": "アルファベット順(Z-A)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc": "期日(早い順)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc": "期日(新しい順)",
"thermostat": "サーモスタット",
"thermostat_show_current_as_primary": "現在の温度を一次情報として表示",
"tile": "タイル",
@@ -1444,7 +1453,7 @@
"customize_options": "オプションのカスタマイズ",
"numeric_input": "数値入力",
"water_heater_operation_modes": "給湯器の運転モード",
- "operation_modes": "運転モード",
+ "operation_mode": "運転モード",
"customize_operation_modes": "操作モードをカスタマイズする",
"update_actions": "更新アクション",
"ask": "質問",
@@ -1480,132 +1489,112 @@
"invalid_display_format": "無効な表示フォーマット",
"compare_data": "データを比較",
"reload_ui": "UIの再読込",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "タイマー",
- "local_calendar": "ローカルカレンダー",
- "intent": "Intent",
- "device_tracker": "デバイストラッカー",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "モバイルアプリ",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "診断",
+ "filesize": "ファイルサイズ",
+ "group": "グループ",
+ "binary_sensor": "バイナリセンサー",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "device_automation": "Device Automation",
+ "person": "人",
+ "input_button": "ボタン入力",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "ロガー",
"fan": "ファン",
- "weather": "天気",
- "camera": "カメラ",
+ "scene": "Scene",
"schedule": "スケジュール",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "天気",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "会話(Conversation)",
- "thread": "Thread",
- "http": "HTTP",
- "valve": "バルブ",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "空調",
- "binary_sensor": "バイナリセンサー",
- "broadlink": "Broadlink",
+ "assist_satellite": "アシストサテライト",
+ "system_log": "System Log",
+ "cover": "カバー",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "バルブ",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "カバー",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "ローカルカレンダー",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "サイレン",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "芝刈り機",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "auth": "Auth",
- "event": "イベント",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "デバイストラッカー",
+ "remote": "リモート",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "スイッチ",
+ "persistent_notification": "永続的な通知",
+ "vacuum": "掃除機",
+ "reolink": "Reolink",
+ "camera": "カメラ",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "永続的な通知",
- "trace": "Trace",
- "remote": "リモート",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "カウンター",
- "filesize": "ファイルサイズ",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "ラズベリーパイの電源チェッカー",
+ "conversation": "会話(Conversation)",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "空調",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "lawn_mower": "芝刈り機",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "イベント",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "アラームコントロールパネル",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "モバイルアプリ",
+ "timer": "タイマー",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "スイッチ",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "カウンター",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "アプリケーション認証",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "グループ",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "診断",
- "person": "人",
+ "assist_pipeline": "Assist pipeline",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "アプリケーション認証",
- "siren": "サイレン",
- "bluetooth": "Bluetooth",
- "logger": "ロガー",
- "input_button": "ボタン入力",
- "vacuum": "掃除機",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "ラズベリーパイの電源チェッカー",
- "assist_satellite": "アシストサテライト",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "活動カロリー",
- "awakenings_count": "覚醒の回数",
- "battery_level": "バッテリー残量",
- "bmi": "BMI",
- "body_fat": "体脂肪",
- "calories": "カロリー",
- "calories_bmr": "カロリー BMR",
- "calories_in": "摂取カロリー",
- "minutes_after_wakeup": "起床後の時間",
- "minutes_fairly_active": "かなりアクティブな時間",
- "minutes_lightly_active": "軽く活動した時間",
- "minutes_sedentary": "座っている時間",
- "minutes_very_active": "非常にアクティブな時間",
- "resting_heart_rate": "安静時の心拍数",
- "sleep_efficiency": "睡眠効率",
- "sleep_minutes_asleep": "睡眠時間",
- "sleep_minutes_awake": "目が覚めている睡眠時間",
- "sleep_minutes_to_fall_asleep_name": "入眠までの睡眠時間",
- "sleep_start_time": "睡眠開始時間",
- "sleep_time_in_bed": "ベッドでの睡眠時間",
- "steps": "歩数",
"battery_low": "バッテリー残量低下",
"cloud_connection": "クラウド接続",
"humidity_warning": "湿度警告",
@@ -1633,6 +1622,7 @@
"alarm_source": "アラームソース",
"auto_off_at": "自動オフ",
"available_firmware_version": "利用可能なファームウェアバージョン",
+ "battery_level": "バッテリー残量",
"this_month_s_consumption": "今月の消費量",
"today_s_consumption": "今日の消費量",
"total_consumption": "総消費量",
@@ -1658,29 +1648,16 @@
"motion_sensor": "モーションセンサー",
"smooth_transitions": "スムーズな移行",
"tamper_detection": "タンパー検知",
- "next_dawn": "次の明け方",
- "next_dusk": "次の夕方",
- "next_midnight": "次の深夜",
- "next_noon": "次の南中",
- "next_rising": "次の日の出",
- "next_setting": "次の日没",
- "solar_azimuth": "太陽の方位角",
- "solar_elevation": "太陽高度",
- "illuminance": "照度",
- "noise": "ノイズ",
- "overload": "過負荷",
- "working_location": "勤務地",
- "created": "作成済み",
- "size": "サイズ",
- "size_in_bytes": "バイト単位のサイズ",
- "compressor_energy_consumption": "コンプレッサーのエネルギー消費量",
- "compressor_estimated_power_consumption": "コンプレッサーの推定消費電力",
- "compressor_frequency": "コンプレッサー周波数",
- "cool_energy_consumption": "冷却エネルギー消費量",
- "energy_consumption": "エネルギー消費量",
- "heat_energy_consumption": "熱エネルギー消費量",
- "inside_temperature": "室内温度",
- "outside_temperature": "外気温",
+ "calibration": "キャリブレーション",
+ "auto_lock_paused": "オートロック一時停止中",
+ "timeout": "タイムアウト",
+ "unclosed_alarm": "閉まっていないアラーム",
+ "unlocked_alarm": "アラームのロック解除",
+ "bluetooth_signal": "Bluetooth信号",
+ "light_level": "ライトレベル",
+ "wi_fi_signal": "Wi-Fi信号",
+ "momentary": "瞬間的",
+ "pull_retract": "引く/引っ込める",
"process_process": "プロセス{process}",
"disk_free_mount_point": "ディスク空き {mount_point}",
"disk_use_mount_point": "ディスク使用量{mount_point}",
@@ -1701,33 +1678,73 @@
"swap_usage": "スワップ使用量",
"network_throughput_in_interface": "ネットワーク スループットIN {interface}",
"network_throughput_out_interface": "ネットワーク スループットOUT {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "進行中のアシスト",
- "preferred": "優先",
- "finished_speaking_detection": "話し声の検出が終了しました",
- "aggressive": "アグレッシブ",
- "relaxed": "リラックス",
- "os_agent_version": "OSエージェントのバージョン",
- "apparmor_version": "Apparmor バージョン",
- "cpu_percent": "CPUパーセント",
- "disk_free": "ディスク空き",
- "disk_total": "ディスクの合計",
- "disk_used": "使用ディスク",
- "memory_percent": "メモリのパーセント",
- "version": "バージョン",
- "newest_version": "最新バージョン",
- "synchronize_devices": "デバイスの同期",
- "estimated_distance": "推定距離",
- "vendor": "ベンダー",
- "quiet": "静音",
- "wake_word": "ウェイクワード",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "オートゲイン",
- "mic_volume": "マイク音量",
- "noise_suppression_level": "ノイズ抑制レベル",
- "off": "オフ",
+ "illuminance": "照度",
+ "noise": "ノイズ",
+ "overload": "過負荷",
+ "activity_calories": "活動カロリー",
+ "awakenings_count": "覚醒の回数",
+ "bmi": "BMI",
+ "body_fat": "体脂肪",
+ "calories": "カロリー",
+ "calories_bmr": "カロリー BMR",
+ "calories_in": "摂取カロリー",
+ "minutes_after_wakeup": "起床後の時間",
+ "minutes_fairly_active": "かなりアクティブな時間",
+ "minutes_lightly_active": "軽く活動した時間",
+ "minutes_sedentary": "座っている時間",
+ "minutes_very_active": "非常にアクティブな時間",
+ "resting_heart_rate": "安静時の心拍数",
+ "sleep_efficiency": "睡眠効率",
+ "sleep_minutes_asleep": "睡眠時間",
+ "sleep_minutes_awake": "目が覚めている睡眠時間",
+ "sleep_minutes_to_fall_asleep_name": "入眠までの睡眠時間",
+ "sleep_start_time": "睡眠開始時間",
+ "sleep_time_in_bed": "ベッドでの睡眠時間",
+ "steps": "歩数",
+ "synchronize_devices": "デバイスの同期",
+ "ding": "ベル",
+ "last_recording": "最新の録画",
+ "intercom_unlock": "インターホンのロック解除",
+ "doorbell_volume": "ドアホンの音量",
+ "mic_volume": "マイク音量",
+ "voice_volume": "声の大きさ",
+ "last_activity": "最後のアクティビティ",
+ "last_ding": "最後のベル",
+ "last_motion": "最後の動き",
+ "wi_fi_signal_category": "Wi-Fi信号カテゴリ",
+ "wi_fi_signal_strength": "Wi-Fi信号強度",
+ "in_home_chime": "家庭用チャイム",
+ "compressor_energy_consumption": "コンプレッサーのエネルギー消費量",
+ "compressor_estimated_power_consumption": "コンプレッサーの推定消費電力",
+ "compressor_frequency": "コンプレッサー周波数",
+ "cool_energy_consumption": "冷却エネルギー消費量",
+ "energy_consumption": "エネルギー消費量",
+ "heat_energy_consumption": "熱エネルギー消費量",
+ "inside_temperature": "室内温度",
+ "outside_temperature": "外気温",
+ "device_admin": "デバイス管理者",
+ "kiosk_mode": "キオスクモード",
+ "plugged_in": "プラグイン",
+ "load_start_url": "読み込み開始URL",
+ "restart_browser": "ブラウザの再試行",
+ "restart_device": "デバイスの再起動",
+ "send_to_background": "バックグラウンドに送信",
+ "bring_to_foreground": "前面に移動",
+ "screenshot": "スクリーンショット",
+ "overlay_message": "オーバーレイメッセージ",
+ "screen_brightness": "画面の明るさ",
+ "screen_off_timer": "スクリーンオフタイマー",
+ "screensaver_brightness": "スクリーンセーバーの明るさ",
+ "screensaver_timer": "スクリーンセーバータイマー",
+ "current_page": "現在のページ",
+ "foreground_app": "フォアグラウンドアプリ",
+ "internal_storage_free_space": "内部ストレージの空き容量",
+ "internal_storage_total_space": "内部ストレージの総容量",
+ "total_memory": "総メモリ量",
+ "screen_orientation": "画面の向き",
+ "kiosk_lock": "キオスクロック",
+ "maintenance_mode": "メンテナンスモード",
+ "screensaver": "スクリーンセーバー",
"animal": "動物",
"detected": "検出されました",
"animal_lens": "動物レンズ 1",
@@ -1801,6 +1818,7 @@
"pir_sensitivity": "PIR感度",
"zoom": "ズーム",
"auto_quick_reply_message": "自動クイック返信メッセージ",
+ "off": "オフ",
"auto_track_method": "オートトラック方式",
"digital": "デジタル",
"digital_first": "デジタルファースト",
@@ -1851,7 +1869,6 @@
"ptz_pan_position": "PTZパン位置",
"ptz_tilt_position": "PTZ チルト位置",
"sd_hdd_index_storage": "SD {hdd_index}ストレージ",
- "wi_fi_signal": "Wi-Fi信号",
"auto_focus": "オートフォーカス",
"auto_tracking": "オートトラッキング",
"doorbell_button_sound": "ドアベルボタンの音",
@@ -1868,6 +1885,47 @@
"record": "録画",
"record_audio": "オーディオの録音",
"siren_on_event": "イベントのサイレン",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "作成済み",
+ "size": "サイズ",
+ "size_in_bytes": "バイト単位のサイズ",
+ "assist_in_progress": "進行中のアシスト",
+ "quiet": "静音",
+ "preferred": "優先",
+ "finished_speaking_detection": "話し声の検出が終了しました",
+ "aggressive": "アグレッシブ",
+ "relaxed": "リラックス",
+ "wake_word": "ウェイクワード",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OSエージェントのバージョン",
+ "apparmor_version": "Apparmor バージョン",
+ "cpu_percent": "CPUパーセント",
+ "disk_free": "ディスク空き",
+ "disk_total": "ディスクの合計",
+ "disk_used": "使用ディスク",
+ "memory_percent": "メモリのパーセント",
+ "version": "バージョン",
+ "newest_version": "最新バージョン",
+ "auto_gain": "オートゲイン",
+ "noise_suppression_level": "ノイズ抑制レベル",
+ "bytes_received": "受信バイト数",
+ "server_country": "サーバーの国",
+ "server_id": "サーバーID",
+ "server_name": "サーバー名",
+ "ping": "Ping",
+ "upload": "アップロード",
+ "bytes_sent": "送信バイト数",
+ "working_location": "勤務地",
+ "next_dawn": "次の明け方",
+ "next_dusk": "次の夕方",
+ "next_midnight": "次の深夜",
+ "next_noon": "次の南中",
+ "next_rising": "次の日の出",
+ "next_setting": "次の日没",
+ "solar_azimuth": "太陽の方位角",
+ "solar_elevation": "太陽高度",
"heavy": "重い",
"mild": "マイルド",
"button_down": "ボタンダウン",
@@ -1883,72 +1941,250 @@
"warm_up": "ウォームアップ",
"not_completed": "未完了",
"checking": "チェック中",
- "closing": "クロージング",
+ "closing": "閉じています",
"failure": "失敗",
"opened": "開いた",
- "ding": "ベル",
- "last_recording": "最新の録画",
- "intercom_unlock": "インターホンのロック解除",
- "doorbell_volume": "ドアホンの音量",
- "voice_volume": "声の大きさ",
- "last_activity": "最後のアクティビティ",
- "last_ding": "最後のベル",
- "last_motion": "最後の動き",
- "wi_fi_signal_category": "Wi-Fi信号カテゴリ",
- "wi_fi_signal_strength": "Wi-Fi信号強度",
- "in_home_chime": "家庭用チャイム",
- "calibration": "キャリブレーション",
- "auto_lock_paused": "オートロック一時停止中",
- "timeout": "タイムアウト",
- "unclosed_alarm": "閉まっていないアラーム",
- "unlocked_alarm": "アラームのロック解除",
- "bluetooth_signal": "Bluetooth信号",
- "light_level": "ライトレベル",
- "momentary": "瞬間的",
- "pull_retract": "引く/引っ込める",
- "bytes_received": "受信バイト数",
- "server_country": "サーバーの国",
- "server_id": "サーバーID",
- "server_name": "サーバー名",
- "ping": "Ping",
- "upload": "アップロード",
- "bytes_sent": "送信バイト数",
- "device_admin": "デバイス管理者",
- "kiosk_mode": "キオスクモード",
- "plugged_in": "プラグイン",
- "load_start_url": "読み込み開始URL",
- "restart_browser": "ブラウザの再試行",
- "restart_device": "デバイスの再起動",
- "send_to_background": "バックグラウンドに送信",
- "bring_to_foreground": "前面に移動",
- "screenshot": "スクリーンショット",
- "overlay_message": "オーバーレイメッセージ",
- "screen_brightness": "画面の明るさ",
- "screen_off_timer": "スクリーンオフタイマー",
- "screensaver_brightness": "スクリーンセーバーの明るさ",
- "screensaver_timer": "スクリーンセーバータイマー",
- "current_page": "現在のページ",
- "foreground_app": "フォアグラウンドアプリ",
- "internal_storage_free_space": "内部ストレージの空き容量",
- "internal_storage_total_space": "内部ストレージの総容量",
- "total_memory": "総メモリ量",
- "screen_orientation": "画面の向き",
- "kiosk_lock": "キオスクロック",
- "maintenance_mode": "メンテナンスモード",
- "screensaver": "スクリーンセーバー",
- "last_scanned_by_device_id_name": "最後にスキャンしたデバイスID",
- "tag_id": "タグID",
- "managed_via_ui": "UI経由で管理",
- "max_length": "最大長",
- "pattern": "パターン",
- "minute": "分",
- "second": "秒",
- "timestamp": "タイムスタンプ",
- "stopped": "停止",
+ "estimated_distance": "推定距離",
+ "vendor": "ベンダー",
+ "accelerometer": "加速度センサー",
+ "binary_input": "バイナリ入力",
+ "calibrated": "校正済み",
+ "consumer_connected": "消費者コネクテッド",
+ "external_sensor": "外部センサー",
+ "frost_lock": "フロストロック",
+ "opened_by_hand": "手で開ける",
+ "heat_required": "必要な熱量",
+ "ias_zone": "IASゾーン",
+ "linkage_alarm_state": "連動アラーム状態",
+ "mounting_mode_active": "マウントモード有効",
+ "open_window_detection_status": "開いた窓の検出状態",
+ "pre_heat_status": "予熱状態",
+ "replace_filter": "フィルターの交換",
+ "valve_alarm": "バルブアラーム",
+ "open_window_detection": "開いた窓の検出",
+ "feed": "フィード",
+ "frost_lock_reset": "フロストロックのリセット",
+ "presence_status_reset": "プレゼンス状態のリセット",
+ "reset_summation_delivered": "リセット合計が配信されました",
+ "self_test": "セルフテスト",
+ "keen_vent": "Keen vent",
+ "fan_group": "ファングループ",
+ "light_group": "照明グループ",
+ "door_lock": "ドアロック",
+ "ambient_sensor_correction": "アンビエントセンサー補正",
+ "approach_distance": "アプローチ距離",
+ "automatic_switch_shutoff_timer": "自動スイッチ遮断タイマー",
+ "away_preset_temperature": "アウェー・プリセット温度",
+ "boost_amount": "ブースト量",
+ "button_delay": "ボタンの遅延",
+ "local_default_dimming_level": "ローカルのデフォルトの調光レベル",
+ "remote_default_dimming_level": "リモートのデフォルト調光レベル",
+ "default_move_rate": "デフォルトの移動速度",
+ "detection_delay": "検出遅延",
+ "maximum_range": "最大範囲",
+ "minimum_range": "最小範囲",
+ "detection_interval": "検出間隔",
+ "local_dimming_down_speed": "ローカル調光ダウンスピード",
+ "remote_dimming_down_speed": "リモート調光ダウンスピード",
+ "local_dimming_up_speed": "ローカル調光アップスピード",
+ "remote_dimming_up_speed": "リモート調光速度アップ",
+ "display_activity_timeout": "表示アクティビティのタイムアウト",
+ "display_brightness": "ディスプレイの明るさ",
+ "display_inactive_brightness": "ディスプレイ非アクティブ時の明るさ",
+ "double_tap_down_level": "ダブルタップダウンレベル",
+ "double_tap_up_level": "ダブルタップでレベルアップ",
+ "exercise_start_time": "運動開始時間",
+ "external_sensor_correction": "外部センサー補正",
+ "external_temperature_sensor": "外部温度センサー",
+ "fade_time": "フェードタイム",
+ "fallback_timeout": "フォールバックタイムアウト",
+ "filter_life_time": "フィルターの寿命",
+ "fixed_load_demand": "固定負荷需要",
+ "frost_protection_temperature": "霜防止温度",
+ "irrigation_cycles": "灌漑サイクル",
+ "irrigation_interval": "灌漑間隔",
+ "irrigation_target": "灌漑目標",
+ "led_color_when_off_name": "デフォルトの全LED消灯色",
+ "led_color_when_on_name": "デフォルトの全LED点灯色",
+ "led_intensity_when_off_name": "デフォルトの全LED消灯強度",
+ "led_intensity_when_on_name": "デフォルトの全LED点灯強度",
+ "load_level_indicator_timeout": "負荷レベルインジケーターのタイムアウト",
+ "load_room_mean": "負荷ルーム平均",
+ "local_temperature_offset": "ローカル温度オフセット",
+ "max_heat_setpoint_limit": "最大ヒート設定値リミット",
+ "maximum_load_dimming_level": "最大負荷調光レベル",
+ "min_heat_setpoint_limit": "最小ヒート設定値リミット",
+ "minimum_load_dimming_level": "最小負荷調光レベル",
+ "off_led_intensity": "オフ LED強度",
+ "off_transition_time": "オフ移行時間",
+ "on_led_intensity": "オン LED強度",
+ "on_level": "オン レベル",
+ "on_off_transition_time": "オン/オフ遷移時間",
+ "on_transition_time": "移行時間中",
+ "open_window_detection_guard_period_name": "オープンウィンドウ検出ガード期間",
+ "open_window_detection_threshold": "オープンウィンドウ検出のしきい値",
+ "open_window_event_duration": "ウィンドウを開くイベント時間",
+ "portion_weight": "1 回分の重量",
+ "presence_detection_timeout": "存在検出タイムアウト",
+ "presence_sensitivity": "プレゼンス感度",
+ "quick_start_time": "クイックスタート時間",
+ "ramp_rate_off_to_on_local_name": "ローカルランプレートオンからオフ",
+ "ramp_rate_off_to_on_remote_name": "リモートランプレートオフからオン",
+ "ramp_rate_on_to_off_local_name": "ローカルランプレートのオンからオフ",
+ "ramp_rate_on_to_off_remote_name": "リモートランプレートオンからオフ",
+ "regulation_setpoint_offset": "規制設定点オフセット",
+ "regulator_set_point": "レギュレータ設定点",
+ "serving_to_dispense": "分配するためのサービス",
+ "siren_time": "サイレン時間",
+ "start_up_color_temperature": "起動時の色温度",
+ "start_up_current_level": "起動電流レベル",
+ "start_up_default_dimming_level": "起動時のデフォルトの調光レベル",
+ "timer_duration": "タイマーの持続時間",
+ "timer_time_left": "タイマー残り時間",
+ "transmit_power": "送信パワー",
+ "valve_closing_degree": "バルブ閉度",
+ "irrigation_time": "灌水時間2",
+ "valve_opening_degree": "バルブ開度",
+ "adaptation_run_command": "適応実行コマンド",
+ "backlight_mode": "バックライトモード",
+ "click_mode": "クリックモード",
+ "control_type": "制御タイプ",
+ "decoupled_mode": "分離モード",
+ "default_siren_level": "デフォルトのサイレンレベル",
+ "default_siren_tone": "デフォルトのサイレン音",
+ "default_strobe": "デフォルトのストロボ",
+ "default_strobe_level": "デフォルトのストロボレベル",
+ "detection_distance": "検出距離",
+ "detection_sensitivity": "検出感度",
+ "exercise_day_of_week_name": "週の運動日",
+ "external_temperature_sensor_type": "外部温度センサータイプ",
+ "external_trigger_mode": "外部トリガーモード",
+ "heat_transfer_medium": "熱伝達媒体",
+ "heating_emitter_type": "加熱エミッタータイプ",
+ "heating_fuel": "暖房燃料",
+ "non_neutral_output": "非中性出力",
+ "irrigation_mode": "灌漑モード",
+ "keypad_lockout": "キーパッドのロックアウト",
+ "dimming_mode": "調光モード",
+ "led_scaling_mode": "LEDスケーリングモード",
+ "local_temperature_source": "ローカル温度ソース",
+ "monitoring_mode": "監視モード",
+ "off_led_color": "オフ LEDカラー",
+ "on_led_color": "オン LEDカラー",
+ "output_mode": "出力モード",
+ "power_on_state": "電源オン状態",
+ "regulator_period": "規制期間",
+ "sensor_mode": "センサーモード",
+ "setpoint_response_time": "設定点応答時間",
+ "smart_fan_led_display_levels_name": "スマートファン LED 表示レベル",
+ "start_up_behavior": "起動時の動作",
+ "switch_mode": "スイッチモード",
+ "switch_type": "スイッチの種類",
+ "thermostat_application": "サーモスタットアプリケーション",
+ "thermostat_mode": "サーモスタットモード",
+ "valve_orientation": "バルブの向き",
+ "viewing_direction": "視線方向",
+ "weather_delay": "天候の遅延",
+ "curtain_mode": "カーテンモード",
+ "ac_frequency": "交流周波数",
+ "adaptation_run_status": "適応実行ステータス",
+ "in_progress": "進行中",
+ "run_successful": "実行に成功しました",
+ "valve_characteristic_lost": "バルブ特性の消失",
+ "analog_input": "アナログ入力",
+ "control_status": "制御ステータス",
+ "device_run_time": "デバイス稼働時間",
+ "device_temperature": "デバイス温度",
+ "target_distance": "ターゲット距離",
+ "filter_run_time": "フィルター稼働時間",
+ "formaldehyde_concentration": "ホルムアルデヒド濃度",
+ "hooks_state": "フックの状態",
+ "hvac_action": "HVAC アクション",
+ "instantaneous_demand": "瞬時需要",
+ "internal_temperature": "内部温度",
+ "irrigation_duration": "灌漑期間1",
+ "last_irrigation_duration": "前回の灌漑期間",
+ "irrigation_end_time": "灌漑終了時間",
+ "irrigation_start_time": "灌漑開始時間",
+ "last_feeding_size": "前回の給餌サイズ",
+ "last_feeding_source": "最後の給餌源",
+ "last_illumination_state": "前回の点灯状態",
+ "last_valve_open_duration": "最後のバルブ開放時間",
+ "leaf_wetness": "葉の湿り気",
+ "load_estimate": "負荷の見積もり",
+ "floor_temperature": "床温度",
+ "lqi": "LQI",
+ "motion_distance": "移動距離",
+ "motor_stepcount": "モーターのステップ数",
+ "open_window_detected": "開いているウィンドウが検出されました",
+ "overheat_protection": "過熱保護",
+ "pi_heating_demand": "Pi加熱需要",
+ "portions_dispensed_today": "本日分配された部分",
+ "pre_heat_time": "予熱時間",
+ "rssi": "RSSI",
+ "self_test_result": "セルフテスト結果",
+ "setpoint_change_source": "設定値変更ソース",
+ "smoke_density": "煙濃度",
+ "software_error": "ソフトウェアエラー",
+ "good": "グッド",
+ "critical_low_battery": "バッテリー残量残りわずか",
+ "encoder_jammed": "エンコーダーが詰まっています",
+ "invalid_clock_information": "無効なクロック情報",
+ "invalid_internal_communication": "内部通信が無効",
+ "low_battery": "バッテリー残量が少ない",
+ "motor_error": "モーターエラー",
+ "non_volatile_memory_error": "不揮発性メモリエラー",
+ "radio_communication_error": "無線通信エラー",
+ "side_pcb_sensor_error": "サイドPCBセンサーエラー",
+ "top_pcb_sensor_error": "トップPCBセンサーエラー",
+ "unknown_hw_error": "不明なHWエラー",
+ "soil_moisture": "土壌水分",
+ "summation_delivered": "ティア 1 の合計が配信されました",
+ "summation_received": "受信した合計",
+ "tier_summation_delivered": "ティア 6 の合計が配信されました",
+ "timer_state": "タイマー状態",
+ "weight_dispensed_today": "今日分配された重量",
+ "window_covering_type": "窓隠しタイプ",
+ "adaptation_run_enabled": "適応実行が有効",
+ "aux_switch_scenes": "AUXスイッチシーン",
+ "binding_off_to_on_sync_level_name": "バインディング・オフからオンの同期レベル",
+ "buzzer_manual_alarm": "ブザー手動アラーム",
+ "buzzer_manual_mute": "ブザー手動ミュート",
+ "detach_relay": "リレーを外す",
+ "disable_clear_notifications_double_tap_name": "2回タップして通知を消去する設定を無効にする",
+ "disable_led": "LEDを無効にする",
+ "double_tap_down_enabled": "ダブルタップダウンが有効",
+ "double_tap_up_enabled": "ダブルタップアップが有効",
+ "double_up_full_name": "ダブルタップオン - フル",
+ "enable_siren": "サイレンを有効にする",
+ "external_window_sensor": "外部窓センサー",
+ "distance_switch": "距離スイッチ",
+ "firmware_progress_led": "ファームウェア進行状況 LED",
+ "heartbeat_indicator": "心拍インジケーター",
+ "heat_available": "暖房可能",
+ "hooks_locked": "フックがロックされている",
+ "invert_switch": "反転スイッチ",
+ "inverted": "反転した",
+ "led_indicator": "LEDインジケーター",
+ "linkage_alarm": "連動アラーム",
+ "local_protection": "ローカル保護",
+ "mounting_mode": "マウントモード",
+ "only_led_mode": "1 LED モードのみ",
+ "open_window": "ウィンドウを開く",
+ "power_outage_memory": "停電メモリ",
+ "prioritize_external_temperature_sensor": "外部温度センサーを優先する",
+ "relay_click_in_on_off_mode_name": "オンオフモードでリレークリックを無効にする",
+ "smart_bulb_mode": "スマート電球モード",
+ "smart_fan_mode": "スマートファンモード",
+ "led_trigger_indicator": "LEDトリガーインジケーター",
+ "turbo_mode": "ターボモード",
+ "use_internal_window_detection": "内部ウィンドウ検出を使用する",
+ "use_load_balancing": "負荷分散を使用する",
+ "valve_detection": "バルブ検出",
+ "window_detection": "ウィンドウ検出",
+ "invert_window_detection": "反転ウィンドウ検出",
+ "available_tones": "利用可能な音色",
"gps_accuracy": "GPS精度",
- "finishes_at": "終了時刻",
- "remaining": "残り",
- "restore": "リストア",
"last_reset": "最終リセット",
"possible_states": "可能な状態",
"state_class": "状態クラス",
@@ -1979,73 +2215,12 @@
"sound_pressure": "音圧",
"speed": "速度",
"sulphur_dioxide": "二酸化硫黄",
+ "timestamp": "タイムスタンプ",
"vocs": "揮発性有機化合物(VOCs)",
"volume_flow_rate": "体積流量",
"stored_volume": "保存容量(Stored volume)",
"weight": "重量",
- "cool": "冷房",
- "fan_only": "ファンのみ",
- "heat_cool": "冷暖房",
- "aux_heat": "補助熱",
- "current_humidity": "現在の湿度",
- "current_temperature": "Current Temperature",
- "diffuse": "ディフューズ",
- "middle": "中",
- "top": "トップ",
- "current_action": "現在のアクション",
- "defrosting": "霜取り中",
- "heating": "暖房",
- "preheating": "予熱",
- "max_target_humidity": "最大目標湿度",
- "max_target_temperature": "最大目標温度",
- "min_target_humidity": "最小目標湿度",
- "min_target_temperature": "最小目標温度",
- "boost": "急速(Boost)",
- "comfort": "快適",
- "eco": "エコ",
- "both": "両方",
- "horizontal": "水平",
- "upper_target_temperature": "上限目標温度",
- "lower_target_temperature": "下限目標温度",
- "target_temperature_step": "目標温度ステップ",
- "step": "ステップ",
- "not_charging": "充電していない",
- "disconnected": "切断",
- "connected": "接続済み",
- "hot": "高温",
- "no_light": "ライトなし",
- "light_detected": "ライトを検出",
- "not_moving": "動いていない",
- "unplugged": "アンプラグド",
- "not_running": "実行中ではない",
- "safe": "安全",
- "unsafe": "安全ではない",
- "tampering_detected": "干渉が検出されました",
- "automatic": "オートマチック",
- "box": "ボックス",
- "above_horizon": "地平線より上",
- "below_horizon": "地平線より下",
- "buffering": "バッファリング",
- "playing": "プレイ中",
- "standby": "スタンバイ",
- "app_id": "App ID",
- "local_accessible_entity_picture": "ローカルでアクセス可能なエンティティの画像",
- "group_members": "グループメンバー",
- "album_artist": "アルバムアーティスト",
- "content_id": "コンテンツID",
- "content_type": "コンテンツの種類",
- "position_updated": "位置が更新されました",
- "series": "シリーズ",
- "all": "すべて",
- "one": "1",
- "available_sound_modes": "利用可能なサウンドモード",
- "available_sources": "利用可能なソース",
- "receiver": "レシーバー",
- "speaker": "スピーカー",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "ルーター",
+ "managed_via_ui": "UI経由で管理",
"color_mode": "Color Mode",
"brightness_only": "輝度のみ",
"hs": "HS",
@@ -2061,20 +2236,40 @@
"minimum_color_temperature_kelvin": "最低色温度(ケルビン)",
"minimum_color_temperature_mireds": "最低色温度(ミレッド)",
"available_color_modes": "利用可能なカラーモード",
- "available_tones": "利用可能な音色",
"docked": "ドック入り",
"mowing": "草刈り",
- "oscillating": "首振りする",
- "speed_step": "スピードステップ",
- "available_preset_modes": "利用可能なプリセットモード",
- "clear_night": "快晴、夜",
- "cloudy": "曇り",
- "exceptional": "例外的",
- "fog": "霧",
- "hail": "雹",
- "lightning": "雷",
- "lightning_rainy": "雷、雨",
- "partly_cloudy": "晴れ時々曇り",
+ "max_length": "最大長",
+ "pattern": "パターン",
+ "running_automations": "オートメーションの実行",
+ "max_running_scripts": "最大実行スクリプト数",
+ "run_mode": "実行モード",
+ "parallel": "パラレル",
+ "queued": "待機中(Queued)",
+ "single": "シングル",
+ "auto_update": "自動更新",
+ "installed_version": "インストール済みのバージョン",
+ "release_summary": "リリース概要",
+ "release_url": "リリースURL",
+ "skipped_version": "スキップされたバージョン",
+ "firmware": "ファームウェア",
+ "oscillating": "首振りする",
+ "speed_step": "スピードステップ",
+ "available_preset_modes": "利用可能なプリセットモード",
+ "minute": "分",
+ "second": "秒",
+ "next_event": "次のイベント",
+ "step": "ステップ",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "ルーター",
+ "clear_night": "快晴、夜",
+ "cloudy": "曇り",
+ "exceptional": "例外的",
+ "fog": "霧",
+ "hail": "雹",
+ "lightning": "雷",
+ "lightning_rainy": "雷、雨",
+ "partly_cloudy": "晴れ時々曇り",
"pouring": "土砂降り",
"rainy": "雨",
"snow": "雪",
@@ -2089,25 +2284,8 @@
"uv_index": "UV指数",
"wind_bearing": "風の方位",
"wind_gust_speed": "突風速度",
- "auto_update": "自動更新",
- "in_progress": "進行中",
- "installed_version": "インストール済みのバージョン",
- "release_summary": "リリース概要",
- "release_url": "リリースURL",
- "skipped_version": "スキップされたバージョン",
- "firmware": "ファームウェア",
- "armed_away": "警戒状態 (外出)",
- "armed_custom_bypass": "警戒状態 (カスタム)",
- "armed_home": "警戒状態 (在宅)",
- "armed_night": "警戒状態 (夜間)",
- "armed_vacation": "警戒状態 (バケーション)",
- "disarming": "警戒解除中...",
- "triggered": "作動済み",
- "changed_by": "に変更されました",
- "code_for_arming": "警戒用のコード",
- "not_required": "不要",
- "code_format": "コード形式",
"identify": "識別する",
+ "cleaning": "クリーニング",
"recording": "レコーディング",
"streaming": "ストリーミング",
"access_token": "アクセストークン",
@@ -2116,93 +2294,131 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "モデル",
+ "last_scanned_by_device_id_name": "最後にスキャンしたデバイスID",
+ "tag_id": "タグID",
+ "automatic": "オートマチック",
+ "box": "ボックス",
+ "jammed": "問題が発生",
+ "locking": "施錠中...",
+ "unlocking": "解錠中...",
+ "changed_by": "に変更されました",
+ "code_format": "コード形式",
+ "listening": "リスニング",
+ "processing": "処理",
+ "responding": "応答",
+ "id": "ID",
+ "max_running_automations": "最大実行オートメーション",
+ "cool": "冷房",
+ "fan_only": "ファンのみ",
+ "heat_cool": "冷暖房",
+ "aux_heat": "補助熱",
+ "current_humidity": "現在の湿度",
+ "current_temperature": "Current Temperature",
+ "diffuse": "ディフューズ",
+ "middle": "中",
+ "top": "トップ",
+ "current_action": "現在のアクション",
+ "defrosting": "霜取り中",
+ "preheating": "予熱",
+ "max_target_humidity": "最大目標湿度",
+ "max_target_temperature": "最大目標温度",
+ "min_target_humidity": "最小目標湿度",
+ "min_target_temperature": "最小目標温度",
+ "boost": "急速(Boost)",
+ "comfort": "快適",
+ "eco": "エコ",
+ "both": "両方",
+ "horizontal": "水平",
+ "upper_target_temperature": "上限目標温度",
+ "lower_target_temperature": "下限目標温度",
+ "target_temperature_step": "目標温度ステップ",
+ "stopped": "停止",
+ "garage": "ガレージ",
+ "not_charging": "充電していない",
+ "disconnected": "切断",
+ "connected": "接続済み",
+ "hot": "高温",
+ "no_light": "ライトなし",
+ "light_detected": "ライトを検出",
+ "not_moving": "動いていない",
+ "unplugged": "アンプラグド",
+ "not_running": "実行中ではない",
+ "safe": "安全",
+ "unsafe": "安全ではない",
+ "tampering_detected": "干渉が検出されました",
+ "buffering": "バッファリング",
+ "playing": "プレイ中",
+ "standby": "スタンバイ",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "ローカルでアクセス可能なエンティティの画像",
+ "group_members": "グループメンバー",
+ "album_artist": "アルバムアーティスト",
+ "content_id": "コンテンツID",
+ "content_type": "コンテンツの種類",
+ "position_updated": "位置が更新されました",
+ "series": "シリーズ",
+ "all": "すべて",
+ "one": "1",
+ "available_sound_modes": "利用可能なサウンドモード",
+ "available_sources": "利用可能なソース",
+ "receiver": "レシーバー",
+ "speaker": "スピーカー",
+ "tv": "TV",
"end_time": "終了時間",
"start_time": "開始時間",
- "next_event": "次のイベント",
- "garage": "ガレージ",
"event_type": "イベントタイプ",
"doorbell": "ドアベル",
- "running_automations": "オートメーションの実行",
- "id": "ID",
- "max_running_automations": "最大実行オートメーション",
- "run_mode": "実行モード",
- "parallel": "パラレル",
- "queued": "待機中(Queued)",
- "single": "シングル",
- "cleaning": "クリーニング",
- "listening": "リスニング",
- "processing": "処理",
- "responding": "応答",
- "max_running_scripts": "最大実行スクリプト数",
- "jammed": "問題が発生",
- "locking": "施錠中...",
- "unlocking": "解錠中...",
- "known_hosts": "既知のホスト",
- "google_cast_configuration": "Google Castの設定",
- "confirm_description": "{name} をセットアップしますか?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "アカウントはすでに設定されています",
- "abort_already_in_progress": "構成フローはすでに進行中です",
- "failed_to_connect": "接続に失敗しました",
- "invalid_access_token": "無効なアクセストークン",
- "invalid_authentication": "無効な認証",
- "received_invalid_token_data": "無効なトークンデータを受信しました。",
- "abort_oauth_failed": "アクセストークンの取得中にエラーが発生しました。",
- "timeout_resolving_oauth_token": "OAuth トークンを解決するタイムアウト。",
- "abort_oauth_unauthorized": "アクセス トークンの取得中に OAuth 認証エラーが発生しました。",
- "re_authentication_was_successful": "再認証に成功しました",
- "unexpected_error": "予期しないエラー",
- "successfully_authenticated": "正常に認証されました",
- "link_fitbit": "Fitbit をリンクする",
- "pick_authentication_method": "認証方法の選択",
- "authentication_expired_for_name": "{name} の認証の有効期限が切れました",
+ "above_horizon": "地平線より上",
+ "below_horizon": "地平線より下",
+ "armed_away": "警戒状態 (外出)",
+ "armed_custom_bypass": "警戒状態 (カスタム)",
+ "armed_home": "警戒状態 (在宅)",
+ "armed_night": "警戒状態 (夜間)",
+ "armed_vacation": "警戒状態 (バケーション)",
+ "disarming": "警戒解除中...",
+ "triggered": "作動済み",
+ "code_for_arming": "警戒用のコード",
+ "not_required": "不要",
+ "finishes_at": "終了時刻",
+ "remaining": "残り",
+ "restore": "リストア",
"device_is_already_configured": "デバイスはすでに設定されています",
+ "failed_to_connect": "接続に失敗しました",
"abort_no_devices_found": "ネットワーク上にデバイスが見つかりません",
+ "re_authentication_was_successful": "再認証に成功しました",
"re_configuration_was_successful": "再設定に成功しました",
"connection_error_error": "接続エラー: {error}",
"unable_to_authenticate_error": "認証できません: {error}",
"camera_stream_authentication_failed": "カメラストリームの認証に失敗しました",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "カメラのライブビューを有効にする",
- "username": "ユーザー名",
+ "username": "Username",
"camera_auth_confirm_description": "デバイスのカメラアカウント資格情報を入力します。",
"set_camera_account_credentials": "カメラアカウントの資格情報を設定する",
"authenticate": "認証する",
+ "authentication_expired_for_name": "{name} の認証の有効期限が切れました",
"host": "Host",
"reconfigure_description": "デバイスの設定を更新する{mac}",
"reconfigure_tplink_entry": "TPLinkエントリを再構成する",
"abort_single_instance_allowed": "すでに設定されています。設定できるのは1つだけです。",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "セットアップを開始しますか?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "SwitchBot API との通信中にエラーが発生しました: {error_detail}",
+ "unsupported_switchbot_type": "サポートしていない種類のSwitchbot",
+ "unexpected_error": "予期しないエラー",
+ "authentication_failed_error_detail": "認証に失敗しました: {error_detail}",
+ "error_encryption_key_invalid": "キーIDまたは暗号化キーが無効です",
+ "name_address": "{name} ( {address} )",
+ "confirm_description": "{name} を設定しますか?",
+ "switchbot_account_recommended": "SwitchBot アカウント (推奨)",
+ "enter_encryption_key_manually": "暗号化キーを手動で入力する",
+ "encryption_key": "暗号化キー",
+ "key_id": "キーID",
+ "password_description": "バックアップを保護するためのパスワード。",
+ "mac_address": "Macアドレス",
"service_is_already_configured": "サービスはすでに設定されています",
- "invalid_ics_file": "無効な .ics ファイル",
- "calendar_name": "カレンダー名",
- "starting_data": "開始データ",
+ "abort_already_in_progress": "構成フローはすでに進行中です",
"abort_invalid_host": "無効なホスト名またはIPアドレス",
"device_not_supported": "デバイスはサポートされていません",
+ "invalid_authentication": "無効な認証",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "デバイスへの認証",
"finish_title": "デバイスの名前を選択してください",
@@ -2210,67 +2426,27 @@
"yes_do_it": "はい、やります。",
"unlock_the_device_optional": "デバイスのロックを解除(オプション)",
"connect_to_the_device": "デバイスに接続する",
- "abort_missing_credentials": "統合には、アプリケーションの認証情報が必要です。",
- "timeout_establishing_connection": "接続確立時にタイムアウト",
- "link_google_account": "Googleアカウントをリンクする",
- "path_is_not_allowed": "パスが許可されていません",
- "path_is_not_valid": "パスが無効です",
- "path_to_file": "ファイルへのパス",
- "api_key": "APIキー",
- "configure_daikin_ac": "ダイキン製エアコンの設定",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "アダプター",
- "multiple_adapters_description": "セットアップする、Bluetoothアダプターを選択してください",
- "arm_away_action": "警報回避アクション",
- "arm_custom_bypass_action": "カスタム警報バイパスアクション",
- "arm_home_action": "ホーム警報アクション",
- "arm_night_action": "夜間警報アクション",
- "arm_vacation_action": "警報休止アクション",
- "code_arm_required": "警報コードが必要",
- "disarm_action": "警報解除アクション",
- "trigger_action": "トリガーアクション",
- "value_template": "値を示すテンプレート",
- "template_alarm_control_panel": "テンプレートアラームコントロールパネル",
- "device_class": "デバイスクラス",
- "state_template": "状態テンプレート",
- "template_binary_sensor": "テンプレートバイナリセンサー",
- "actions_on_press": "押すアクション",
- "template_button": "テンプレートボタン",
- "verify_ssl_certificate": "SSL証明書を確認する",
- "template_image": "テンプレート画像",
- "actions_on_set_value": "設定値に対するアクション",
- "step_value": "ステップ値",
- "template_number": "テンプレート番号",
- "available_options": "利用可能なオプション",
- "actions_on_select": "選択時のアクション",
- "template_select": "テンプレート選択",
- "template_sensor": "テンプレートセンサー",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "電源オン時のアクション",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "アラームコントロールパネルのテンプレート",
- "template_a_binary_sensor": "バイナリーセンサーのテンプレート",
- "template_a_button": "ボタンのテンプレート",
- "template_an_image": "画像のテンプレート化",
- "template_a_select": "テンプレートを選択",
- "template_a_sensor": "センサーのテンプレート",
- "template_a_switch": "スイッチのテンプレート",
- "template_helper": "テンプレートヘルパー",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "アカウントはすでに設定されています",
+ "invalid_access_token": "無効なアクセストークン",
+ "received_invalid_token_data": "無効なトークンデータを受信しました。",
+ "abort_oauth_failed": "アクセストークンの取得中にエラーが発生しました。",
+ "timeout_resolving_oauth_token": "OAuth トークンを解決するタイムアウト。",
+ "abort_oauth_unauthorized": "アクセス トークンの取得中に OAuth 認証エラーが発生しました。",
+ "successfully_authenticated": "正常に認証されました",
+ "link_fitbit": "Fitbit をリンクする",
+ "pick_authentication_method": "認証方法の選択",
+ "two_factor_code": "多要素認証コード",
+ "two_factor_authentication": "多要素認証",
+ "reconfigure_ring_integration": "Ring 統合の再構成",
+ "sign_in_with_ring_account": "Ringアカウントでサインイン",
+ "abort_alternative_integration": "デバイスは別の統合で、より適切にサポートされています",
+ "abort_incomplete_config": "設定に必要な変数がありません",
+ "manual_description": "デバイス記述XMLファイルへのURL",
+ "manual_title": "手動でDLNA DMR機器に接続",
+ "discovered_dlna_dmr_devices": "発見されたDLNA DMR機器",
+ "broadcast_address": "ブロードキャストアドレス",
+ "broadcast_port": "ブロードキャストポート",
"abort_addon_info_failed": "{addon} アドオンの情報を取得できませんでした。",
"abort_addon_install_failed": "{addon} アドオンのインストールに失敗しました。",
"abort_addon_start_failed": "{addon} アドオンの起動に失敗しました。",
@@ -2297,48 +2473,48 @@
"starting_add_on": "アドオンの開始",
"menu_options_addon": "公式の{addon}アドオンを使用してください。",
"menu_options_broker": "MQTTブローカー接続の詳細を手動で入力する",
- "bridge_is_already_configured": "ブリッジはすでに構成されています",
- "no_deconz_bridges_discovered": "deCONZブリッジは検出されませんでした",
- "abort_no_hardware_available": "deCONZに接続されている無線ハードウェアがありません",
- "abort_updated_instance": "新しいホストアドレスでdeCONZインスタンスを更新しました",
- "error_linking_not_possible": "ゲートウェイとリンクできませんでした",
- "error_no_key": "APIキーを取得できませんでした",
- "link_with_deconz": "deCONZとリンクする",
- "select_discovered_deconz_gateway": "検出された、deCONZ gatewayを選択",
- "pin_code": "PINコード",
- "discovered_android_tv": "Android TVを発見",
- "abort_mdns_missing_mac": "MDNSプロパティに、MACアドレスがありません。",
- "abort_mqtt_missing_api": "MQTT プロパティに API ポートがありません。",
- "abort_mqtt_missing_ip": "MQTT プロパティに IP アドレスがありません。",
- "abort_mqtt_missing_mac": "MQTT プロパティに MAC アドレスがありません。",
- "missing_mqtt_payload": "MQTT ペイロードが見つからない。",
- "action_received": "アクションを受け取りました",
- "discovered_esphome_node": "ESPHomeのノードが検出されました",
- "encryption_key": "暗号化キー",
- "no_port_for_endpoint": "エンドポイント用のポートがありません",
- "abort_no_services": "エンドポイントにサービスが見つかりません",
- "discovered_wyoming_service": "ワイオミングのサービスを発見",
- "abort_alternative_integration": "デバイスは別の統合で、より適切にサポートされています",
- "abort_incomplete_config": "設定に必要な変数がありません",
- "manual_description": "デバイス記述XMLファイルへのURL",
- "manual_title": "手動でDLNA DMR機器に接続",
- "discovered_dlna_dmr_devices": "発見されたDLNA DMR機器",
+ "api_key": "APIキー",
+ "configure_daikin_ac": "ダイキン製エアコンの設定",
+ "cannot_connect_details_error_detail": "接続できません。詳細: {error_detail}",
+ "unknown_details_error_detail": "予期しないエラー。詳細: {error_detail}",
+ "uses_an_ssl_certificate": "SSL証明書を使用する",
+ "verify_ssl_certificate": "SSL証明書を確認する",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "confirm_hardware_description": "{name} をセットアップしますか?",
+ "adapter": "アダプター",
+ "multiple_adapters_description": "セットアップする、Bluetoothアダプターを選択してください",
"api_error_occurred": "APIエラーが発生しました",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "HTTPSを有効",
- "broadcast_address": "ブロードキャストアドレス",
- "broadcast_port": "ブロードキャストポート",
- "mac_address": "Macアドレス",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6には対応していません。",
- "error_custom_port_not_supported": "Gen1 デバイスはカスタム ポートをサポートしていません。",
- "two_factor_code": "多要素認証コード",
- "two_factor_authentication": "多要素認証",
- "reconfigure_ring_integration": "Ring 統合の再構成",
- "sign_in_with_ring_account": "Ringアカウントでサインイン",
+ "timeout_establishing_connection": "接続確立時にタイムアウト",
+ "link_google_account": "Googleアカウントをリンクする",
+ "path_is_not_allowed": "パスが許可されていません",
+ "path_is_not_valid": "パスが無効です",
+ "path_to_file": "ファイルへのパス",
+ "pin_code": "PINコード",
+ "discovered_android_tv": "Android TVを発見",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "すべてのエンティティ",
"hide_members": "メンバーを非表示にする",
"create_group": "グループの作成",
+ "device_class": "Device Class",
"ignore_non_numeric": "数値以外を無視",
"data_round_digits": "値を小数点以下の桁数に丸める",
"type": "タイプ",
@@ -2346,29 +2522,204 @@
"button_group": "ボタングループ",
"cover_group": "カバーグループ",
"event_group": "イベントグループ",
- "fan_group": "ファングループ",
- "light_group": "照明グループ",
"lock_group": "ロックグループ",
"media_player_group": "メディアプレーヤーグループ",
"notify_group": "グループに通知",
"sensor_group": "センサーグループ",
"switch_group": "スイッチグループ",
- "abort_api_error": "SwitchBot API との通信中にエラーが発生しました: {error_detail}",
- "unsupported_switchbot_type": "サポートしていない種類のSwitchbot",
- "authentication_failed_error_detail": "認証に失敗しました: {error_detail}",
- "error_encryption_key_invalid": "キーIDまたは暗号化キーが無効です",
- "name_address": "{name} ( {address} )",
- "switchbot_account_recommended": "SwitchBot アカウント (推奨)",
- "enter_encryption_key_manually": "暗号化キーを手動で入力する",
- "key_id": "キーID",
- "password_description": "バックアップを保護するためのパスワード。",
- "device_address": "デバイスアドレス",
- "cannot_connect_details_error_detail": "接続できません。詳細: {error_detail}",
- "unknown_details_error_detail": "予期しないエラー。詳細: {error_detail}",
- "uses_an_ssl_certificate": "SSL証明書を使用する",
+ "known_hosts": "既知のホスト",
+ "google_cast_configuration": "Google Castの設定",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "MDNSプロパティに、MACアドレスがありません。",
+ "abort_mqtt_missing_api": "MQTT プロパティに API ポートがありません。",
+ "abort_mqtt_missing_ip": "MQTT プロパティに IP アドレスがありません。",
+ "abort_mqtt_missing_mac": "MQTT プロパティに MAC アドレスがありません。",
+ "missing_mqtt_payload": "MQTT ペイロードが見つからない。",
+ "action_received": "アクションを受け取りました",
+ "discovered_esphome_node": "ESPHomeのノードが検出されました",
+ "bridge_is_already_configured": "ブリッジはすでに構成されています",
+ "no_deconz_bridges_discovered": "deCONZブリッジは検出されませんでした",
+ "abort_no_hardware_available": "deCONZに接続されている無線ハードウェアがありません",
+ "abort_updated_instance": "新しいホストアドレスでdeCONZインスタンスを更新しました",
+ "error_linking_not_possible": "ゲートウェイとリンクできませんでした",
+ "error_no_key": "APIキーを取得できませんでした",
+ "link_with_deconz": "deCONZとリンクする",
+ "select_discovered_deconz_gateway": "検出された、deCONZ gatewayを選択",
+ "abort_missing_credentials": "統合には、アプリケーションの認証情報が必要です。",
+ "no_port_for_endpoint": "エンドポイント用のポートがありません",
+ "abort_no_services": "エンドポイントにサービスが見つかりません",
+ "discovered_wyoming_service": "ワイオミングのサービスを発見",
+ "ipv_is_not_supported": "IPv6には対応していません。",
+ "error_custom_port_not_supported": "Gen1 デバイスはカスタム ポートをサポートしていません。",
+ "arm_away_action": "警報回避アクション",
+ "arm_custom_bypass_action": "カスタム警報バイパスアクション",
+ "arm_home_action": "ホーム警報アクション",
+ "arm_night_action": "夜間警報アクション",
+ "arm_vacation_action": "警報休止アクション",
+ "code_arm_required": "警報コードが必要",
+ "disarm_action": "警報解除アクション",
+ "trigger_action": "トリガーアクション",
+ "value_template": "値を示すテンプレート",
+ "template_alarm_control_panel": "テンプレートアラームコントロールパネル",
+ "state_template": "状態テンプレート",
+ "template_binary_sensor": "テンプレートバイナリセンサー",
+ "actions_on_press": "押すアクション",
+ "template_button": "テンプレートボタン",
+ "template_image": "テンプレート画像",
+ "actions_on_set_value": "設定値に対するアクション",
+ "step_value": "ステップ値",
+ "template_number": "テンプレート番号",
+ "available_options": "利用可能なオプション",
+ "actions_on_select": "選択時のアクション",
+ "template_select": "テンプレート選択",
+ "template_sensor": "テンプレートセンサー",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "電源オン時のアクション",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "アラームコントロールパネルのテンプレート",
+ "template_a_binary_sensor": "バイナリーセンサーのテンプレート",
+ "template_a_button": "ボタンのテンプレート",
+ "template_an_image": "画像のテンプレート化",
+ "template_a_select": "テンプレートを選択",
+ "template_a_sensor": "センサーのテンプレート",
+ "template_a_switch": "スイッチのテンプレート",
+ "template_helper": "テンプレートヘルパー",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "このデバイスはzhaデバイスではありません",
+ "abort_usb_probe_failed": "USBデバイスを探し出すことに失敗しました",
+ "invalid_backup_json": "無効なバックアップJSON",
+ "choose_an_automatic_backup": "自動バックアップを選択する",
+ "restore_automatic_backup": "自動バックアップの復元",
+ "choose_formation_strategy_description": "無線のネットワーク設定を選択します。",
+ "create_a_network": "ネットワークを作成する",
+ "keep_radio_network_settings": "無線ネットワーク設定を保持",
+ "upload_a_manual_backup": "手動バックアップをアップロードする",
+ "network_formation": "ネットワーク形成",
+ "serial_device_path": "シリアル デバイスのパス",
+ "select_a_serial_port": "シリアルポートの選択",
+ "radio_type": "無線タイプ",
+ "manual_pick_radio_type_description": "Zigbee無線のタイプを選択",
+ "port_speed": "ポート速度",
+ "data_flow_control": "データフローコントロール",
+ "manual_port_config_description": "シリアルポート設定の入力",
+ "serial_port_settings": "シリアルポートの設定",
+ "data_overwrite_coordinator_ieee": "無線のIEEEアドレスを完全に置き換える",
+ "overwrite_radio_ieee_address": "無線のIEEEアドレスの上書き",
+ "upload_a_file": "ファイルをアップロードする",
+ "radio_is_not_recommended": "無線は推奨されない",
+ "invalid_ics_file": "無効な .ics ファイル",
+ "calendar_name": "カレンダー名",
+ "starting_data": "開始データ",
+ "zha_alarm_options_alarm_arm_requires_code": "警備アクションに必要なコード",
+ "zha_alarm_options_alarm_master_code": "アラーム コントロールパネルのマスターコード",
+ "alarm_control_panel_options": "アラーム コントロールパネルのオプション",
+ "zha_options_consider_unavailable_battery": "バッテリー駆動のデバイスは、(秒)後に利用できないと見なす",
+ "zha_options_consider_unavailable_mains": "(秒)後に主電源が供給されているデバイスを使用できないと見なす",
+ "zha_options_default_light_transition": "デフォルトのライト遷移時間(秒)",
+ "zha_options_group_members_assume_state": "グループメンバーはグループの状態を想定します",
+ "zha_options_light_transitioning_flag": "光源移行時の輝度スライダーの拡張を有効にする",
+ "global_options": "グローバルオプション",
+ "force_nightlatch_operation_mode": "強制ナイトラッチ操作モード",
+ "retry_count": "再試行回数",
+ "data_process": "センサーとして追加するプロセス",
+ "invalid_url": "無効なURL",
+ "data_browse_unfiltered": "ブラウズ時に互換性のないメディアを表示する",
+ "event_listener_callback_url": "イベントリスナーのコールバックURL",
+ "data_listen_port": "イベントリスナーポート(設定されていない場合はランダム)",
+ "poll_for_device_availability": "デバイスの可用性をポーリング",
+ "init_title": "DLNA Digital Media Rendererの設定",
+ "broker_options": "Brokerオプション",
+ "enable_birth_message": "Birth message Enable(有効化)",
+ "birth_message_payload": "Birth message payload(ペイロード)",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain(保持)",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "検出を有効にする",
+ "discovery_prefix": "検出プレフィックス",
+ "enable_will_message": "ウィル(will)メッセージの有効化",
+ "will_message_payload": "Will message payload(ペイロード)",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain(保持)",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "MQTT 自動検出を有効にするオプション。",
+ "mqtt_options": "MQTTオプション",
+ "passive_scanning": "パッシブスキャン",
+ "protocol": "プロトコル",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "言語コード",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "data_app_delete": "このアプリケーションを削除するには、チェックを入れます",
+ "application_icon": "アプリケーションアイコン",
+ "application_id": "アプリケーションID",
+ "application_name": "アプリケーション名",
+ "configure_application_id_app_id": "アプリケーション ID {app_id}を構成する",
+ "configure_android_apps": "Androidアプリの設定",
+ "configure_applications_list": "アプリケーションリストの設定",
"ignore_cec": "CECを無視する",
"allowed_uuids": "許可されたUUID",
"advanced_google_cast_configuration": "Google Castの高度な設定",
+ "allow_deconz_clip_sensors": "deCONZ CLIPセンサーを許可する",
+ "allow_deconz_light_groups": "deCONZ lightグループを許可する",
+ "data_allow_new_devices": "新しいデバイスの自動追加を許可する",
+ "deconz_devices_description": "deCONZ デバイスタイプの可視性を設定します",
+ "deconz_options": "deCONZのオプション",
+ "select_test_server": "テストサーバーの選択",
+ "data_calendar_access": "Home Assistantから、Googleカレンダーへのアクセス",
+ "bluetooth_scanner_mode": "Bluetoothスキャナーモード",
"device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
"not_supported": "Not Supported",
"localtuya_configuration": "LocalTuya Configuration",
@@ -2385,10 +2736,9 @@
"data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
"data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
"data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
"configure_tuya_device": "Configure Tuya device",
"configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "デバイスID",
+ "device_id": "Device ID",
"local_key": "Local key",
"protocol_version": "Protocol Version",
"data_entities": "Entities (uncheck an entity to remove it)",
@@ -2457,93 +2807,13 @@
"enable_heuristic_action_optional": "Enable heuristic action (optional)",
"data_dps_default_value": "Default value when un-initialised (optional)",
"minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistantから、Googleカレンダーへのアクセス",
- "data_process": "センサーとして追加するプロセス",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "パッシブスキャン",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Brokerオプション",
- "enable_birth_message": "Birth message Enable(有効化)",
- "birth_message_payload": "Birth message payload(ペイロード)",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain(保持)",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "検出を有効にする",
- "discovery_prefix": "検出プレフィックス",
- "enable_will_message": "ウィル(will)メッセージの有効化",
- "will_message_payload": "Will message payload(ペイロード)",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain(保持)",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "MQTT 自動検出を有効にするオプション。",
- "mqtt_options": "MQTTオプション",
"data_allow_nameless_uuids": "現在許可されている UUID。削除するにはチェックを外します",
"data_new_uuid": "新しい許可された UUID を入力します",
- "allow_deconz_clip_sensors": "deCONZ CLIPセンサーを許可する",
- "allow_deconz_light_groups": "deCONZ lightグループを許可する",
- "data_allow_new_devices": "新しいデバイスの自動追加を許可する",
- "deconz_devices_description": "deCONZ デバイスタイプの可視性を設定します",
- "deconz_options": "deCONZのオプション",
- "data_app_delete": "このアプリケーションを削除するには、チェックを入れます",
- "application_icon": "アプリケーションアイコン",
- "application_id": "アプリケーションID",
- "application_name": "アプリケーション名",
- "configure_application_id_app_id": "アプリケーション ID {app_id}を構成する",
- "configure_android_apps": "Androidアプリの設定",
- "configure_applications_list": "アプリケーションリストの設定",
- "invalid_url": "無効なURL",
- "data_browse_unfiltered": "ブラウズ時に互換性のないメディアを表示する",
- "event_listener_callback_url": "イベントリスナーのコールバックURL",
- "data_listen_port": "イベントリスナーポート(設定されていない場合はランダム)",
- "poll_for_device_availability": "デバイスの可用性をポーリング",
- "init_title": "DLNA Digital Media Rendererの設定",
- "protocol": "プロトコル",
- "language_code": "言語コード",
- "bluetooth_scanner_mode": "Bluetoothスキャナーモード",
- "force_nightlatch_operation_mode": "強制ナイトラッチ操作モード",
- "retry_count": "再試行回数",
- "select_test_server": "テストサーバーの選択",
- "toggle_entity_name": "トグル {entity_name}",
- "turn_off_entity_name": "{entity_name}をオフにする",
- "turn_on_entity_name": "{entity_name}をオンにする",
- "entity_name_is_off": "{entity_name}はオフです",
- "entity_name_is_on": "{entity_name}はオンです",
- "trigger_type_changed_states": "{entity_name}をオン/オフなりました",
- "entity_name_turned_off": "{entity_name}がオフになりました",
- "entity_name_turned_on": "{entity_name}がオンになりました",
+ "reconfigure_zha": "ZHAの再設定",
+ "unplug_your_old_radio": "古い無線のプラグを抜く",
+ "intent_migrate_title": "新しい無線に移行する",
+ "re_configure_the_current_radio": "現在の無線を再設定する",
+ "migrate_or_re_configure": "移行または再構成",
"current_entity_name_apparent_power": "現在の{entity_name}の皮相電力",
"condition_type_is_aqi": "現在の{entity_name}大気質指数",
"current_entity_name_area": "現在の{entity_name} エリア",
@@ -2638,14 +2908,80 @@
"entity_name_water_changes": "{entity_name} 水の変化",
"entity_name_weight_changes": "{entity_name} 重量の変化",
"entity_name_wind_speed_changes": "{entity_name}風速の変化",
+ "decrease_entity_name_brightness": "{entity_name} 明るさを下げる",
+ "increase_entity_name_brightness": "{entity_name} 明るさを上げる",
+ "flash_entity_name": "フラッシュ {entity_name}",
+ "toggle_entity_name": "トグル {entity_name}",
+ "turn_off_entity_name": "{entity_name}をオフにする",
+ "turn_on_entity_name": "{entity_name}をオンにする",
+ "entity_name_is_off": "{entity_name}はオフです",
+ "entity_name_is_on": "{entity_name}はオンです",
+ "flash": "フラッシュ",
+ "trigger_type_changed_states": "{entity_name}をオン/オフなりました",
+ "entity_name_turned_off": "{entity_name}がオフになりました",
+ "entity_name_turned_on": "{entity_name}がオンになりました",
+ "set_value_for_entity_name": "{entity_name} の値を設定",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} 更新の可用性(availability)が変更されました",
+ "entity_name_became_up_to_date": "{entity_name} が最新になりました",
+ "trigger_type_update": "{entity_name} は、利用可能なアップデートを取得しました。",
+ "first_button": "1番目のボタン",
+ "second_button": "2番目のボタン",
+ "third_button": "3番目のボタン",
+ "fourth_button": "4番目のボタン",
+ "fifth_button": "5番目のボタン",
+ "sixth_button": "6番目のボタン",
+ "subtype_double_clicked": "\"{subtype}\" ボタンをダブルクリック",
+ "subtype_continuously_pressed": "\"{subtype}\" ボタンを押し続ける",
+ "trigger_type_button_long_release": "\"{subtype}\" は長押し後にリリースされました",
+ "subtype_quadruple_clicked": "\"{subtype}\" ボタンを4回(quadruple)クリック",
+ "subtype_quintuple_clicked": "\"{subtype}\" ボタンを5回(quintuple)クリック",
+ "subtype_pressed": "\"{subtype}\" ボタンが押されました。",
+ "subtype_released": "\"{subtype}\" ボタンがリリースされました",
+ "subtype_triple_clicked": "\"{subtype}\" ボタンを3回クリック",
+ "entity_name_is_home": "{entity_name} は、在宅です",
+ "entity_name_is_not_home": "{entity_name} は、不在です",
+ "entity_name_enters_a_zone": "{entity_name} がゾーンに入る",
+ "entity_name_leaves_a_zone": "{entity_name} がゾーンから離れる",
+ "press_entity_name_button": "{entity_name} ボタンを押す",
+ "entity_name_has_been_pressed": "{entity_name} が押されました",
+ "let_entity_name_clean": "{entity_name} を掃除しましょう",
+ "action_type_dock": "{entity_name} をドックに戻してみましょう",
+ "entity_name_is_cleaning": "{entity_name} はクリーニング中です",
+ "entity_name_is_docked": "{entity_name} がドッキングされています",
+ "entity_name_started_cleaning": "{entity_name} がクリーニングを開始",
+ "entity_name_docked": "{entity_name} ドッキング済み",
+ "send_a_notification": "通知の送信",
+ "lock_entity_name": "ロック {entity_name}",
+ "open_entity_name": "{entity_name} オープン",
+ "unlock_entity_name": "アンロック {entity_name}",
+ "entity_name_locked": "{entity_name} はロックされています",
+ "entity_name_is_open": "{entity_name} が開いています",
+ "entity_name_is_unlocked": "{entity_name} のロックは解除されています",
+ "entity_name_opened": "{entity_name} が開かれました",
+ "entity_name_unlocked": "{entity_name} のロックが解除されました",
"action_type_set_hvac_mode": "{entity_name} のHVACモードを変更",
"change_preset_on_entity_name": "{entity_name} のプリセットを変更",
"to": "To",
"entity_name_measured_humidity_changed": "{entity_name} 測定湿度が変化しました",
"entity_name_measured_temperature_changed": "{entity_name} 測定温度が変化しました",
"entity_name_hvac_mode_changed": "{entity_name} HVACモードが変化しました",
- "set_value_for_entity_name": "{entity_name} の値を設定",
- "value": "値",
+ "close_entity_name": "クローズ {entity_name}",
+ "close_entity_name_tilt": "{entity_name}をチルトで閉じる",
+ "open_entity_name_tilt": "{entity_name}をチルトで開く",
+ "set_entity_name_position": "{entity_name} 位置の設定",
+ "set_entity_name_tilt_position": "{entity_name}のチルト位置を設定",
+ "stop_entity_name": "停止 {entity_name}",
+ "entity_name_is_closed": "{entity_name} は閉じています",
+ "entity_name_is_closing": "{entity_name} が終了しています",
+ "entity_name_is_opening": "{entity_name} が開いています(is opening)",
+ "current_entity_name_position_is": "現在の {entity_name} 位置",
+ "condition_type_is_tilt_position": "現在の{entity_name}のチルト位置",
+ "entity_name_closed": "{entity_name} 閉",
+ "entity_name_closing": "{entity_name} が終了",
+ "entity_name_opening": "{entity_name} が開く(Opening)",
+ "entity_name_position_changes": "{entity_name} 位置の変化",
+ "entity_name_tilt_position_changes": "{entity_name}のチルト位置の変化",
"entity_name_battery_low": "{entity_name} 電池残量が少なくなっています",
"entity_name_is_charging": "{entity_name} は充電中です",
"condition_type_is_co": "{entity_name} が一酸化炭素を検出しています",
@@ -2654,7 +2990,6 @@
"entity_name_is_detecting_gas": "{entity_name} がガスを検出しています",
"entity_name_is_hot": "{entity_name} 熱い",
"entity_name_is_detecting_light": "{entity_name} が光を検知しています",
- "entity_name_locked": "{entity_name} はロックされています",
"entity_name_is_moist": "{entity_name} は湿っています",
"entity_name_is_detecting_motion": "{entity_name} は、動きを検出しています",
"entity_name_is_moving": "{entity_name} が移動中です",
@@ -2672,11 +3007,9 @@
"entity_name_is_not_cold": "{entity_name} 冷えていません",
"entity_name_disconnected": "{entity_name}は切断されています",
"entity_name_is_not_hot": "{entity_name} は熱くありません",
- "entity_name_is_unlocked": "{entity_name} のロックは解除されています",
"entity_name_is_dry": "{entity_name} は乾燥しています",
"entity_name_is_not_moving": "{entity_name} は動いていません",
"entity_name_is_not_occupied": "{entity_name} は占有されていません",
- "entity_name_is_closed": "{entity_name} は閉じています",
"entity_name_is_unplugged": "{entity_name} プラグが抜かれています",
"entity_name_is_not_powered": "{entity_name} は電力が供給されていません",
"entity_name_not_present": "{entity_name} が存在しません",
@@ -2684,7 +3017,6 @@
"condition_type_is_not_tampered": "{entity_name} は干渉(tampering)を検出していません",
"entity_name_is_safe": "{entity_name} は安全です",
"entity_name_is_occupied": "{entity_name} は占有されています",
- "entity_name_is_open": "{entity_name} が開いています",
"entity_name_is_powered": "{entity_name} の電源が入っています",
"entity_name_is_present": "{entity_name} が存在します",
"entity_name_is_detecting_problem": "{entity_name} が、問題を検出しています",
@@ -2712,23 +3044,19 @@
"entity_name_stopped_detecting_problem": "{entity_name} は、問題の検出を停止しました",
"entity_name_stopped_detecting_smoke": "{entity_name} は、煙の検出を停止しました",
"entity_name_stopped_detecting_sound": "{entity_name} は、音の検出を停止しました",
- "entity_name_became_up_to_date": "{entity_name} が最新になりました",
"entity_name_stopped_detecting_vibration": "{entity_name} が振動を感知しなくなった",
"entity_name_battery_normal": "{entity_name} バッテリー正常",
"entity_name_not_charging": "{entity_name}充電されていません",
"entity_name_became_not_cold": "{entity_name} は冷えていません",
"entity_name_became_not_hot": "{entity_name} 温まっていません",
- "entity_name_unlocked": "{entity_name} のロックが解除されました",
"entity_name_stopped_moving": "{entity_name} が動きを停止しました",
"entity_name_became_not_occupied": "{entity_name} が占有されなくなりました",
- "entity_name_closed": "{entity_name} 閉",
"entity_name_unplugged": "{entity_name} のプラグが抜かれました",
"entity_name_not_powered": "{entity_name} は電源が入っていません",
"trigger_type_not_running": "{entity_name} はもう実行されていない",
"entity_name_stopped_detecting_tampering": "{entity_name} が干渉(tampering)の検出を停止しました",
"entity_name_became_safe": "{entity_name} が安全になりました",
"entity_name_became_occupied": "{entity_name} が占有されました",
- "entity_name_opened": "{entity_name} が開かれました",
"entity_name_powered": "{entity_name} 電源",
"entity_name_present": "{entity_name} が存在",
"entity_name_started_detecting_problem": "{entity_name} が、問題の検出を開始しました",
@@ -2737,7 +3065,6 @@
"entity_name_started_detecting_sound": "{entity_name} が音の検出を開始しました",
"entity_name_started_detecting_tampering": "{entity_name} が干渉(tampering)の検出を開始しました",
"entity_name_became_unsafe": "{entity_name} は安全ではなくなりました",
- "trigger_type_update": "{entity_name} は、利用可能なアップデートを取得しました。",
"entity_name_started_detecting_vibration": "{entity_name} が振動を感知し始めました",
"entity_name_is_buffering": "{entity_name} は、バッファリング中です",
"entity_name_is_idle": "{entity_name} は、アイドル状態です",
@@ -2746,34 +3073,6 @@
"entity_name_starts_buffering": "{entity_name} のバッファリングを開始します",
"entity_name_becomes_idle": "{entity_name} がアイドル状態になります",
"entity_name_starts_playing": "{entity_name} が再生を開始します",
- "entity_name_is_home": "{entity_name} は、在宅です",
- "entity_name_is_not_home": "{entity_name} は、不在です",
- "entity_name_enters_a_zone": "{entity_name} がゾーンに入る",
- "entity_name_leaves_a_zone": "{entity_name} がゾーンから離れる",
- "decrease_entity_name_brightness": "{entity_name} 明るさを下げる",
- "increase_entity_name_brightness": "{entity_name} 明るさを上げる",
- "flash_entity_name": "フラッシュ {entity_name}",
- "flash": "フラッシュ",
- "entity_name_update_availability_changed": "{entity_name} 更新の可用性(availability)が変更されました",
- "arm_entity_name_away": "警戒 {entity_name} 離席(away)",
- "arm_entity_name_home": "警戒 {entity_name} 在宅",
- "arm_entity_name_night": "警戒 {entity_name} 夜",
- "arm_entity_name_vacation": "警戒 {entity_name} バケーション",
- "disarm_entity_name": "解除 {entity_name}",
- "trigger_entity_name": "トリガー {entity_name}",
- "entity_name_is_armed_away": "{entity_name} は警戒状態 (外出)",
- "entity_name_is_armed_home": "{entity_name} は警戒状態 (在宅)",
- "entity_name_is_armed_night": "{entity_name} は警戒状態 (夜間)",
- "entity_name_is_armed_vacation": "{entity_name}は警戒 バケーションです",
- "entity_name_is_disarmed": "{entity_name} は警戒解除済み",
- "entity_name_triggered": "{entity_name} が作動しました",
- "entity_name_armed_away": "{entity_name} 警戒 離席(away)",
- "entity_name_armed_home": "{entity_name} 警戒 在宅",
- "entity_name_armed_night": "{entity_name} 警戒 夜",
- "entity_name_armed_vacation": "{entity_name}警戒 バケーション",
- "entity_name_disarmed": "{entity_name} 解除",
- "press_entity_name_button": "{entity_name} ボタンを押す",
- "entity_name_has_been_pressed": "{entity_name} が押されました",
"action_type_select_first": "{entity_name}を最初のオプションに変更します",
"action_type_select_last": "{entity_name}を最後のオプションに変更します",
"action_type_select_next": "{entity_name}を次のオプションに変更します",
@@ -2783,35 +3082,6 @@
"cycle": "サイクル",
"from": "From",
"entity_name_option_changed": "{entity_name} オプションが変化しました",
- "close_entity_name": "クローズ {entity_name}",
- "close_entity_name_tilt": "{entity_name}をチルトで閉じる",
- "open_entity_name": "{entity_name} 解錠",
- "open_entity_name_tilt": "{entity_name}をチルトで開く",
- "set_entity_name_position": "{entity_name} 位置の設定",
- "set_entity_name_tilt_position": "{entity_name}のチルト位置を設定",
- "stop_entity_name": "停止 {entity_name}",
- "entity_name_is_closing": "{entity_name} が終了しています",
- "entity_name_is_opening": "{entity_name} が開いています(is opening)",
- "current_entity_name_position_is": "現在の {entity_name} 位置",
- "condition_type_is_tilt_position": "現在の{entity_name}のチルト位置",
- "entity_name_closing": "{entity_name} が終了",
- "entity_name_opening": "{entity_name} が開く(Opening)",
- "entity_name_position_changes": "{entity_name} 位置の変化",
- "entity_name_tilt_position_changes": "{entity_name}のチルト位置の変化",
- "first_button": "1番目のボタン",
- "second_button": "2番目のボタン",
- "third_button": "3番目のボタン",
- "fourth_button": "4番目のボタン",
- "fifth_button": "5番目のボタン",
- "sixth_button": "6番目のボタン",
- "subtype_double_clicked": "{subtype} ダブルクリック",
- "subtype_continuously_pressed": "\"{subtype}\" ボタンを押し続ける",
- "trigger_type_button_long_release": "\"{subtype}\" は長押し後にリリースされました",
- "subtype_quadruple_clicked": "\"{subtype}\" ボタンを4回(quadruple)クリック",
- "subtype_quintuple_clicked": "\"{subtype}\" ボタンを5回(quintuple)クリック",
- "subtype_pressed": "\"{subtype}\" ボタンが押されました。",
- "subtype_released": "\"{subtype}\" がリリースされました",
- "subtype_triple_clicked": "{subtype} 3回クリック",
"both_buttons": "両方のボタン",
"bottom_buttons": "下部のボタン",
"seventh_button": "7番目のボタン",
@@ -2823,7 +3093,7 @@
"side": "サイド6",
"top_buttons": "トップボタン",
"device_awakened": "デバイスが目覚めた",
- "trigger_type_remote_button_long_release": "\"{subtype}\" 長押し後リリースされる",
+ "trigger_type_remote_button_long_release": "長押しすると \"{subtype}\" ボタンがリリースされる",
"button_rotated_subtype": "ボタンが回転した \"{subtype}\"",
"button_rotated_fast_subtype": "ボタンが高速回転した \"{subtype}\"",
"button_rotation_subtype_stopped": "ボタンの回転 \"{subtype}\" が停止しました",
@@ -2837,13 +3107,6 @@
"trigger_type_remote_rotate_from_side": "デバイスが、\"side 6\" から \"{subtype} \"に回転した",
"device_turned_clockwise": "デバイスが時計回りに",
"device_turned_counter_clockwise": "デバイスが反時計回りに",
- "send_a_notification": "通知の送信",
- "let_entity_name_clean": "{entity_name} を掃除しましょう",
- "action_type_dock": "{entity_name} をドックに戻してみましょう",
- "entity_name_is_cleaning": "{entity_name} はクリーニング中です",
- "entity_name_is_docked": "{entity_name} がドッキングされています",
- "entity_name_started_cleaning": "{entity_name} がクリーニングを開始",
- "entity_name_docked": "{entity_name} ドッキング済み",
"subtype_button_down": "{subtype} ボタンダウン",
"subtype_button_up": "{subtype} ボタンアップ",
"subtype_double_push": "{subtype} 2回押し",
@@ -2854,28 +3117,53 @@
"trigger_type_single_long": "{subtype} シングルクリックしてからロングクリック",
"subtype_single_push": "{subtype} シングルプッシュ",
"subtype_triple_push": "{subtype}トリプルプッシュ",
- "lock_entity_name": "ロック {entity_name}",
- "unlock_entity_name": "アンロック {entity_name}",
+ "arm_entity_name_away": "警戒 {entity_name} 離席(away)",
+ "arm_entity_name_home": "警戒 {entity_name} 在宅",
+ "arm_entity_name_night": "警戒 {entity_name} 夜",
+ "arm_entity_name_vacation": "警戒 {entity_name} バケーション",
+ "disarm_entity_name": "解除 {entity_name}",
+ "trigger_entity_name": "トリガー {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} は警戒状態 (外出)",
+ "entity_name_is_armed_home": "{entity_name} は警戒状態 (在宅)",
+ "entity_name_is_armed_night": "{entity_name} は警戒状態 (夜間)",
+ "entity_name_is_armed_vacation": "{entity_name}は警戒 バケーションです",
+ "entity_name_is_disarmed": "{entity_name} は警戒解除済み",
+ "entity_name_triggered": "{entity_name} が作動しました",
+ "entity_name_armed_away": "{entity_name} 警戒 離席(away)",
+ "entity_name_armed_home": "{entity_name} 警戒 在宅",
+ "entity_name_armed_night": "{entity_name} 警戒 夜",
+ "entity_name_armed_vacation": "{entity_name}警戒 バケーション",
+ "entity_name_disarmed": "{entity_name} 解除",
+ "action_type_issue_all_led_effect": "すべてのLEDに影響を与える",
+ "action_type_issue_individual_led_effect": "個々のLEDに影響を与える",
+ "squawk": "スコーク(Squawk)",
+ "warn": "警告",
+ "color_hue": "色相",
+ "duration_in_seconds": "継続時間(秒)",
+ "effect_type": "エフェクトタイプ",
+ "led_number": "LED番号",
+ "with_face_activated": "フェイス6がアクティブになっている",
+ "with_any_specified_face_s_activated": "任意/指定されたフェイスがアクティブになっている",
+ "device_dropped": "デバイスdropped",
+ "device_flipped_subtype": "デバイスが反転しました \"{subtype}\"",
+ "device_knocked_subtype": "デバイスがノックされました \"{subtype}\"",
+ "device_offline": "デバイスがオフライン",
+ "device_rotated_subtype": "デバイスが回転した \"{subtype}\"",
+ "device_slid_subtype": "デバイス スライド \"{subtype}\"",
+ "device_tilted": "デバイスが傾いている",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" ボタンをダブルクリック(代替モード)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" ボタンを押し続ける(代替モード)",
+ "trigger_type_remote_button_alt_long_release": "長押しすると \"{subtype}\" ボタンがリリースされる(代替モード)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" ボタンを4回(quadruple)クリック(代替モード)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" ボタンを5回(quintuple)クリック(代替モード)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" 押し続ける(代替モード)",
+ "subtype_released_alternate_mode": "\"{subtype}\" ボタンがリリースされました(代替モード)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" ボタンを3回クリック(代替モード)",
"add_to_queue": "キューに追加",
"play_next": "次を再生",
"options_replace": "今すぐ再生してキューをクリア",
"repeat_all": "すべて繰り返す",
"repeat_one": "1 つ繰り返す",
- "no_code_format": "コード形式なし",
- "no_unit_of_measurement": "測定単位なし",
- "critical": "深刻",
- "debug": "デバッグ",
- "warning": "警告",
- "create_an_empty_calendar": "空のカレンダーを作成する",
- "options_import_ics_file": "iCalendar ファイル (.ics) をアップロードする",
- "passive": "パッシブ",
- "most_recently_updated": "最新の更新",
- "arithmetic_mean": "算術平均",
- "median": "中央値",
- "product": "プロダクト",
- "statistical_range": "統計範囲",
- "standard_deviation": "標準偏差",
- "fatal": "致命的",
"alice_blue": "アリスブルー",
"antique_white": "アンティークホワイト",
"aqua": "アクア",
@@ -2996,49 +3284,20 @@
"violet": "バイオレット",
"wheat": "小麦",
"white_smoke": "ホワイトスモーク",
- "sets_the_value": "値を設定します。",
- "the_target_value": "ターゲット値。",
- "device_description": "コマンドを送信するデバイス ID。",
- "delete_command": "コマンドの削除",
- "alternative": "代替",
- "command_type_description": "学習するコマンドの種類。",
- "command_type": "コマンドの種類",
- "timeout_description": "コマンドを学習するまでのタイムアウト。",
- "learn_command": "コマンドを学習する",
- "delay_seconds": "遅延秒数",
- "hold_seconds": "ホールド秒",
- "repeats": "繰り返し",
- "send_command": "コマンド送信",
- "sends_the_toggle_command": "トグルコマンドを送信します。",
- "turn_off_description": "1 つ以上の照明を消します。",
- "turn_on_description": "新しいクリーニングタスクを開始する。",
- "set_datetime_description": "日付や時刻を設定する。",
- "the_target_date": "ターゲット時刻。",
- "datetime_description": "ターゲットの日付と時刻。",
- "date_time": "日付と時刻",
- "creates_a_new_backup": "新しいバックアップを作成します。",
- "apply_description": "設定を使用してシーンをアクティブにします。",
- "entities_description": "エンティティとそのターゲット状態のリスト。",
- "transition": "トランジション",
- "apply": "適用する",
- "creates_a_new_scene": "新しいシーンを作成します。",
- "scene_id_description": "新しいシーンのエンティティ ID。",
- "scene_entity_id": "シーンエンティティID",
- "snapshot_entities": "スナップショットエンティティ",
- "delete_description": "動的に作成されたシーンを削除します。",
- "activates_a_scene": "シーンをアクティブにします。",
- "closes_a_valve": "バルブを閉じます。",
- "opens_a_valve": "バルブを開きます。",
- "set_valve_position_description": "バルブを特定の位置に動かします。",
- "target_position": "ターゲット位置。",
- "set_position": "セットポジション",
- "stops_the_valve_movement": "バルブの動きを止めます。",
- "toggles_a_valve_open_closed": "バルブの開閉を切り替えます。",
- "dashboard_path": "ダッシュボードのパス",
- "view_path": "パスを見る",
- "show_dashboard_view": "ダッシュボードビューを表示",
- "finish_description": "実行中のタイマーを予定より早く終了します。",
- "duration_description": "タイマーを再スタートさせるカスタム継続時間。",
+ "critical": "深刻",
+ "debug": "デバッグ",
+ "passive": "パッシブ",
+ "no_code_format": "コード形式なし",
+ "no_unit_of_measurement": "測定単位なし",
+ "fatal": "致命的",
+ "most_recently_updated": "最新の更新",
+ "arithmetic_mean": "算術平均",
+ "median": "中央値",
+ "product": "プロダクト",
+ "statistical_range": "統計範囲",
+ "standard_deviation": "標準偏差",
+ "create_an_empty_calendar": "空のカレンダーを作成する",
+ "options_import_ics_file": "iCalendar ファイル (.ics) をアップロードする",
"sets_a_random_effect": "ランダム効果を設定します。",
"sequence_description": "HSV 配列のリスト (最大 16)。",
"initial_brightness": "初期の明るさ。",
@@ -3054,111 +3313,22 @@
"saturation_range": "彩度範囲",
"segments_description": "セグメントのリスト(すべて0)。",
"segments": "セグメント",
+ "transition": "トランジション",
"range_of_transition": "トランジションの範囲。",
"transition_range": "トランジション範囲",
"random_effect": "ランダム効果",
"sets_a_sequence_effect": "シーケンス効果を設定します。",
"repetitions_for_continuous": "繰り返し(連続の場合は0)。",
+ "repeats": "繰り返し",
"sequence": "シーケンス",
- "speed_of_spread": "拡散の速度。",
- "spread": "拡散",
- "sequence_effect": "シーケンス効果",
- "check_configuration": "設定の確認",
- "reload_all": "すべてリロード",
- "reload_config_entry_description": "指定された構成エントリを再ロードします。",
- "config_entry_id": "構成エントリID",
- "reload_config_entry": "設定エントリをリロードする",
- "reload_core_config_description": "YAML 構成 からコアコンフィギュレーションをリロードします。",
- "reload_core_configuration": "コア構成をリロードする",
- "reload_custom_jinja_templates": "カスタムJinja2テンプレートのリロード",
- "restarts_home_assistant": "Home Assistantを再起動します。",
- "safe_mode_description": "カスタム統合とカスタム カードを無効にします。",
- "save_persistent_states": "永続的な状態の保存",
- "set_location_description": "Home Assistantの位置を更新します。",
- "elevation_description": "現在地の海抜高度。",
- "latitude_of_your_location": "現在地の緯度",
- "longitude_of_your_location": "現在地の経度。",
- "set_location": "場所を設定",
- "stops_home_assistant": "Home Assistantを停止します。",
- "generic_toggle": "汎用トグル",
- "generic_turn_off": "汎用的なオフ",
- "generic_turn_on": "汎用的なオン",
- "entity_id_description": "ログブックのエントリで参照するエンティティ。",
- "entities_to_update": "更新するエンティティ",
- "update_entity": "エンティティの更新",
- "turns_auxiliary_heater_on_off": "補助ヒーターをオン/オフします。",
- "aux_heat_description": "補助ヒーターの新しい値。",
- "auxiliary_heating": "補助暖房",
- "turn_on_off_auxiliary_heater": "補助ヒーターのオン/オフ",
- "sets_fan_operation_mode": "ファンの動作モードを設定します。",
- "fan_operation_mode": "ファンの動作モード。",
- "set_fan_mode": "ファンモードの設定",
- "sets_target_humidity": "設定湿度を設定します。",
- "set_target_humidity": "設定湿度を設定する",
- "sets_hvac_operation_mode": "HVAC の動作モードを設定します。",
- "hvac_operation_mode": "HVAC運転モード。",
- "set_hvac_mode": "HVACモードの設定",
- "sets_preset_mode": "プリセットモードを設定します。",
- "set_preset_mode": "プリセットモードの設定",
- "set_swing_horizontal_mode_description": "水平スイング動作モードを設定します。",
- "horizontal_swing_operation_mode": "水平スイング動作モード。",
- "set_horizontal_swing_mode": "水平スイングモードの設定",
- "sets_swing_operation_mode": "スイング動作モードを設定します。",
- "swing_operation_mode": "スイング動作モード。",
- "set_swing_mode": "スイングモードの設定",
- "sets_the_temperature_setpoint": "温度設定値を設定します。",
- "the_max_temperature_setpoint": "設定温度の最大値。",
- "the_min_temperature_setpoint": "設定温度の最低値。",
- "the_temperature_setpoint": "温度設定値。",
- "set_target_temperature": "設定温度の設定",
- "turns_climate_device_off": "空調デバイスをオフにします。",
- "turns_climate_device_on": "空調デバイスをオンにします。",
- "decrement_description": "現在の値を 1 ステップずつデクリメントします。",
- "increment_description": "現在値を1ステップ増加させる。",
- "reset_description": "カウンタを初期値にリセットする。",
- "set_value_description": "数値の値を設定します。",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "構成パラメータの値。",
- "clear_playlist_description": "プレイリストからすべてのアイテムを削除します。",
- "clear_playlist": "プレイリストをクリア",
- "selects_the_next_track": "次のトラックを選択します。",
- "pauses": "一時停止します。",
- "starts_playing": "再生を開始します。",
- "toggles_play_pause": "再生/一時停止を切り替えます。",
- "selects_the_previous_track": "前のトラックを選択します。",
- "seek": "シーク",
- "stops_playing": "再生を停止します。",
- "starts_playing_specified_media": "指定したメディアの再生を開始します。",
- "announce": "アナウンス",
- "enqueue": "キューに入れる",
- "repeat_mode_to_set": "リピートモードを設定します。",
- "select_sound_mode_description": "特定のサウンドモードを選択します。",
- "select_sound_mode": "サウンドモードの選択",
- "select_source": "ソースを選択",
- "shuffle_description": "シャッフル モードが有効かどうか。",
- "toggle_description": "掃除機のオン/オフを切り替えます。",
- "unjoin": "参加解除",
- "turns_down_the_volume": "音量を下げます。",
- "turn_down_volume": "音量を下げる",
- "volume_mute_description": "メディアプレーヤーをミュートまたはミュート解除します。",
- "is_volume_muted_description": "ミュートするかどうかを定義します。",
- "mute_unmute_volume": "音量のミュート/ミュート解除",
- "sets_the_volume_level": "音量レベルを設定します。",
- "level": "レベル",
- "set_volume": "音量設定",
- "turns_up_the_volume": "音量を上げます。",
- "turn_up_volume": "音量を上げる",
- "battery_description": "デバイスのバッテリー残量。",
- "gps_coordinates": "GPS座標",
- "gps_accuracy_description": "GPS 座標の精度。",
- "hostname_of_the_device": "デバイスのホスト名。",
- "hostname": "ホスト名",
- "mac_description": "デバイスのMACアドレス。",
- "see": "見る",
+ "speed_of_spread": "拡散の速度。",
+ "spread": "拡散",
+ "sequence_effect": "シーケンス効果",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "サイレンのオン/オフを切り替えます。",
+ "turns_the_siren_off": "サイレンを消します。",
+ "turns_the_siren_on": "サイレンを鳴らします。",
"brightness_value": "明るさ値",
"a_human_readable_color_name": "人間が読める色の名前。",
"color_name": "色の名前",
@@ -3171,25 +3341,69 @@
"rgbww_color": "RGBWWカラー",
"white_description": "ライトをホワイトモードに設定します。",
"xy_color": "XYカラー",
+ "turn_off_description": "電源オフコマンドを送信します。",
"brightness_step_description": "明るさを一定量ずつ変更します。",
"brightness_step_value": "明るさステップ値",
"brightness_step_pct_description": "明るさをパーセンテージで変更します。",
"brightness_step": "明るさステップ",
- "add_event_description": "新しいカレンダーイベントを追加します。",
- "calendar_id_description": "希望するカレンダーのID。",
- "calendar_id": "カレンダーID",
- "description_description": "イベントの説明。オプション。",
- "summary_description": "イベントのタイトルとして機能します。",
- "location_description": "イベントの場所。",
- "create_event": "イベントの作成",
- "apply_filter": "フィルタを適用する",
- "days_to_keep": "保管日数",
- "repack": "リパック",
- "purge": "パージ",
- "domains_to_remove": "削除するドメイン",
- "entity_globs_to_remove": "削除するエンティティ グロブ",
- "entities_to_remove": "削除するエンティティ",
- "purge_entities": "エンティティのパージ",
+ "toggles_the_helper_on_off": "ヘルパーのオン/オフを切り替える。",
+ "turns_off_the_helper": "ヘルパーをオフにする。",
+ "turns_on_the_helper": "ヘルパーをオンにする。",
+ "pauses_the_mowing_task": "草刈り作業を一時停止する。",
+ "starts_the_mowing_task": "草刈り作業を開始する。",
+ "creates_a_new_backup": "新しいバックアップを作成します。",
+ "sets_the_value": "値を設定する。",
+ "enter_your_text": "テキストを入力してください。",
+ "set_value": "値を設定",
+ "clear_lock_user_code_description": "ロックからユーザー コードをクリアします。",
+ "code_slot_description": "コードをセットするコードスロット。",
+ "code_slot": "コードスロット",
+ "clear_lock_user": "ロックユーザーのクリア",
+ "disable_lock_user_code_description": "ロックのユーザーコードを無効にする。",
+ "code_slot_to_disable": "無効にするコードスロット。",
+ "disable_lock_user": "ロックユーザーを無効にする",
+ "enable_lock_user_code_description": "ロックのユーザーコードを有効にする。",
+ "code_slot_to_enable": "有効にするコードスロット。",
+ "enable_lock_user": "ユーザーのロックを有効にする",
+ "args_description": "コマンドに渡す引数。",
+ "args": "引数",
+ "cluster_id_description": "属性を取得する ZCL クラスター。",
+ "cluster_id": "クラスターID",
+ "type_of_the_cluster": "クラスターのタイプ。",
+ "cluster_type": "クラスタータイプ",
+ "command_description": "Google アシスタントに送信するコマンド。",
+ "command_type_description": "学習するコマンドの種類。",
+ "command_type": "コマンドの種類",
+ "endpoint_id_description": "クラスターのエンドポイント ID。",
+ "endpoint_id": "エンドポイントID",
+ "ieee_description": "デバイスの IEEE アドレス。",
+ "ieee": "IEEE",
+ "manufacturer": "メーカー",
+ "params_description": "コマンドに渡すパラメータ。",
+ "params": "パラメータ",
+ "issue_zigbee_cluster_command": "zigbeeクラスタコマンドの発行",
+ "group_description": "グループの16進アドレス。",
+ "issue_zigbee_group_command": "zigbeeグループコマンドの発行",
+ "permit_description": "ノードが Zigbee ネットワークに参加できるようにします。",
+ "time_to_permit_joins": "参加を許可する時間です。",
+ "install_code": "コードをインストールする",
+ "qr_code": "QRコード",
+ "source_ieee": "ソースIEEE",
+ "permit": "許可する",
+ "reconfigure_device": "デバイスの再構成",
+ "remove_description": "Zigbee ネットワークからノードを削除します。",
+ "set_lock_user_code_description": "ロックにユーザーコードを設定します。",
+ "code_to_set": "設定するコード。",
+ "set_lock_user_code": "ロックユーザーコードを設定する",
+ "attribute_description": "設定する属性の ID。",
+ "value_description": "設定するターゲット値。",
+ "set_zigbee_cluster_attribute": "zigbee クラスター属性を設定する",
+ "level": "レベル",
+ "strobe": "ストロボ",
+ "warning_device_squawk": "警報装置の鳴き声",
+ "duty_cycle": "デューティサイクル",
+ "intensity": "強度",
+ "warning_device_starts_alert": "警報デバイスがアラートを開始",
"dump_log_objects": "ログオブジェクトをダンプします",
"log_current_tasks_description": "現在のすべての非同期タスクをログに記録します。",
"log_current_asyncio_tasks": "現在の非同期タスクをログに記録する",
@@ -3214,27 +3428,299 @@
"stop_logging_object_sources": "オブジェクトソースのログ記録を停止する",
"stop_log_objects_description": "メモリ内のオブジェクトのログ増加を停止する。",
"stop_logging_objects": "オブジェクトのログ記録を停止する",
+ "set_default_level_description": "統合のデフォルトのログレベルを設定します。",
+ "level_description": "すべての統合のデフォルトの重大度レベル。",
+ "set_default_level": "デフォルトレベル設定",
+ "set_level": "レベルを設定",
+ "stops_a_running_script": "実行中のスクリプトを停止します。",
+ "clear_skipped_update": "スキップされたアップデートをクリアする",
+ "install_update": "更新プログラムのインストール",
+ "skip_description": "現在利用可能なアップデートをスキップ済みとしてマークします。",
+ "skip_update": "更新をスキップ",
+ "decrease_speed_description": "ファンの速度を下げます。",
+ "decrease_speed": "速度を下げる",
+ "increase_speed_description": "ファンの速度を上げます。",
+ "increase_speed": "速度を上げます",
+ "oscillate_description": "ファンの首振りを制御します。",
+ "turns_oscillation_on_off": "首振りのオン/オフを切り替えます。",
+ "set_direction_description": "ファンの回転方向を設定します。",
+ "direction_description": "ファンの回転方向。",
+ "set_direction": "方向設定",
+ "set_percentage_description": "ファンの速度を設定します。",
+ "speed_of_the_fan": "ファンの速度。",
+ "percentage": "パーセント",
+ "set_speed": "設定速度",
+ "sets_preset_fan_mode": "プリセットファンモードを設定します。",
+ "preset_fan_mode": "プリセットファンモード。",
+ "set_preset_mode": "プリセットモードの設定",
+ "toggles_a_fan_on_off": "ファンのオン/オフを切り替えます。",
+ "turns_fan_off": "ファンをオフにします。",
+ "turns_fan_on": "ファンをオンにします。",
+ "set_datetime_description": "日付や時刻を設定する。",
+ "the_target_date": "ターゲット時刻。",
+ "datetime_description": "ターゲットの日付と時刻。",
+ "date_time": "日付と時刻",
+ "log_description": "ログブックにカスタム エントリを作成します。",
+ "entity_id_description": "メッセージを再生するメディア プレーヤー。",
+ "message_description": "通知のメッセージ本文。",
+ "request_sync_description": "request_sync コマンドを Google に送信します。",
+ "agent_user_id": "エージェントのユーザーID",
+ "request_sync": "同期をリクエストする",
+ "apply_description": "設定を使用してシーンをアクティブにします。",
+ "entities_description": "エンティティとそのターゲット状態のリスト。",
+ "apply": "適用する",
+ "creates_a_new_scene": "新しいシーンを作成します。",
+ "entity_states": "Entity states",
+ "scene_id_description": "新しいシーンのエンティティ ID。",
+ "scene_entity_id": "シーンエンティティID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "動的に作成されたシーンを削除します。",
+ "activates_a_scene": "シーンをアクティブにします。",
"reload_themes_description": "YAML 構成からテーマを再読み込みします。",
"reload_themes": "テーマのリロード",
"name_of_a_theme": "テーマの名前。",
"set_the_default_theme": "デフォルトのテーマを設定する",
+ "decrement_description": "現在の値を 1 ステップずつデクリメントします。",
+ "increment_description": "現在値を1ステップ増加させる。",
+ "reset_description": "カウンタを初期値にリセットする。",
+ "set_value_description": "数値の値を設定します。",
+ "check_configuration": "設定の確認",
+ "reload_all": "すべてリロード",
+ "reload_config_entry_description": "指定された構成エントリを再ロードします。",
+ "config_entry_id": "構成エントリID",
+ "reload_config_entry": "設定エントリをリロードする",
+ "reload_core_config_description": "YAML 構成 からコアコンフィギュレーションをリロードします。",
+ "reload_core_configuration": "コア構成をリロードする",
+ "reload_custom_jinja_templates": "カスタムJinja2テンプレートのリロード",
+ "restarts_home_assistant": "Home Assistantを再起動します。",
+ "safe_mode_description": "カスタム統合とカスタム カードを無効にします。",
+ "save_persistent_states": "永続的な状態の保存",
+ "set_location_description": "Home Assistantの位置を更新します。",
+ "elevation_description": "現在地の海抜高度。",
+ "latitude_of_your_location": "現在地の緯度",
+ "longitude_of_your_location": "現在地の経度。",
+ "set_location": "場所を設定",
+ "stops_home_assistant": "Home Assistantを停止します。",
+ "generic_toggle": "汎用トグル",
+ "generic_turn_off": "汎用的なオフ",
+ "generic_turn_on": "汎用的なオン",
+ "entities_to_update": "更新するエンティティ",
+ "update_entity": "エンティティの更新",
+ "notify_description": "選択したターゲットに通知メッセージを送信します。",
+ "data": "データ",
+ "title_of_the_notification": "通知のタイトル。",
+ "send_a_persistent_notification": "永続的な通知を送信する",
+ "sends_a_notification_message": "通知メッセージを送信します。",
+ "your_notification_message": "通知メッセージ。",
+ "title_description": "オプションの通知タイトル。",
+ "send_a_notification_message": "通知メッセージを送信する",
+ "send_magic_packet": "マジックパケットを送信",
+ "topic_to_listen_to": "リッスンするトピック。",
+ "topic": "トピック",
+ "export": "エクスポート",
+ "publish_description": "MQTT トピックにメッセージを発行する。",
+ "evaluate_payload": "ペイロードを評価する",
+ "the_payload_to_publish": "公開するペイロード。",
+ "payload": "ペイロード",
+ "payload_template": "ペイロードテンプレート",
+ "qos": "QoS",
+ "retain": "保持(Retain)",
+ "topic_to_publish_to": "公開先のトピック。",
+ "publish": "公開",
+ "load_url_description": "Kiosk Browser に URL を読み込みます。",
+ "url_to_load": "ロードする URL。",
+ "load_url": "URLをロード",
+ "configuration_parameter_to_set": "設定する構成パラメータ。",
+ "key": "キー",
+ "set_configuration": "構成の設定",
+ "application_description": "起動するアプリケーションのパッケージ名。",
+ "application": "アプリケーション",
+ "start_application": "アプリケーションを開始",
+ "battery_description": "デバイスのバッテリー残量。",
+ "gps_coordinates": "GPS座標",
+ "gps_accuracy_description": "GPS 座標の精度。",
+ "hostname_of_the_device": "デバイスのホスト名。",
+ "hostname": "ホスト名",
+ "mac_description": "デバイスのMACアドレス。",
+ "see": "見る",
+ "device_description": "コマンドを送信するデバイス ID。",
+ "delete_command": "コマンドの削除",
+ "alternative": "代替",
+ "timeout_description": "コマンドを学習するまでのタイムアウト。",
+ "learn_command": "コマンドを学習する",
+ "delay_seconds": "遅延秒数",
+ "hold_seconds": "ホールド秒",
+ "send_command": "コマンド送信",
+ "sends_the_toggle_command": "トグルコマンドを送信します。",
+ "turn_on_description": "新しいクリーニングタスクを開始する。",
+ "get_weather_forecast": "天気予報を取得します。",
+ "type_description": "予報タイプ:毎日、1時間ごと、1日2回。",
+ "forecast_type": "予報タイプ",
+ "get_forecast": "予報を取得",
+ "get_forecasts": "予報を取得する",
+ "press_the_button_entity": "ボタン エンティティを押します。",
+ "enable_remote_access": "リモートアクセスを有効にする",
+ "disable_remote_access": "リモートアクセスを無効にする",
+ "create_description": "通知パネルに通知を表示します。",
+ "notification_id": "通知ID",
+ "dismiss_description": "通知パネルから通知を削除します。",
+ "notification_id_description": "削除する通知の ID。",
+ "dismiss_all_description": "通知パネルからすべての通知を削除します。",
+ "locate_description": "掃除機ロボットの位置を確認します。",
+ "pauses_the_cleaning_task": "クリーニングタスクを一時停止します。",
+ "send_command_description": "掃除機にコマンドを送信します。",
+ "parameters": "パラメーター",
+ "set_fan_speed": "ファン速度を設定する",
+ "start_description": "クリーニングタスクを開始または再開します。",
+ "start_pause_description": "クリーニングタスクを開始、一時停止、または再開します。",
+ "stop_description": "現在のクリーニングタスクを停止する。",
+ "toggle_description": "メディアプレーヤーのオン/オフを切り替えます。",
+ "play_chime_description": "Reolink Chime で着信音を再生します。",
+ "target_chime": "ターゲットチャイム",
+ "ringtone_to_play": "再生する着信音。",
+ "ringtone": "着信音",
+ "play_chime": "チャイムを鳴らす",
+ "ptz_move_description": "特定の速度でカメラを移動します。",
+ "ptz_move_speed": "PTZ の移動速度。",
+ "ptz_move": "PTZ 移動",
+ "disables_the_motion_detection": "モーション検知を無効にします。",
+ "disable_motion_detection": "モーション検知を無効にする",
+ "enable_motion_detection": "モーション検出を有効にします。",
+ "format_description": "メディアプレーヤーがサポートするストリーム形式。",
+ "format": "フォーマット",
+ "media_player_description": "ストリーミング先のメディア プレーヤー。",
+ "play_stream": "ストリームを再生する",
+ "filename_description": "ファイル名へのフルパス。mp4 である必要があります。",
+ "filename": "ファイル名",
+ "lookback": "ルックバック",
+ "snapshot_description": "カメラからスナップショットを取得します。",
+ "full_path_to_filename": "ファイル名へのフルパス。",
+ "take_snapshot": "スナップショットをとる",
+ "turns_off_the_camera": "カメラをオフにします。",
+ "turns_on_the_camera": "カメラをオンにします。",
+ "reload_resources_description": "YAML 構成からダッシュボードリソースをリロードします。",
"clear_tts_cache": "TTSキャッシュのクリア",
"cache": "キャッシュ",
"language_description": "テキストの言語。デフォルトはサーバー言語です。",
"options_description": "統合固有のオプションを含むディクショナリ。",
"say_a_tts_message": "TTSメッセージを言う",
- "media_player_entity_id_description": "メッセージを再生するメディア プレーヤー。",
"media_player_entity": "メディアプレーヤーエンティティ",
"speak": "話す",
- "reload_resources_description": "YAML 構成からダッシュボードリソースをリロードします。",
- "toggles_the_siren_on_off": "サイレンのオン/オフを切り替えます。",
- "turns_the_siren_off": "サイレンを消します。",
- "turns_the_siren_on": "サイレンを鳴らします。",
- "toggles_the_helper_on_off": "ヘルパーのオン/オフを切り替える。",
- "turns_off_the_helper": "ヘルパーをオフにする。",
- "turns_on_the_helper": "ヘルパーをオンにする。",
- "pauses_the_mowing_task": "草刈り作業を一時停止する。",
- "starts_the_mowing_task": "草刈り作業を開始する。",
+ "send_text_command": "テキストコマンドを送信",
+ "the_target_value": "ターゲット値。",
+ "removes_a_group": "グループを削除します。",
+ "object_id": "オブジェクトID",
+ "creates_updates_a_group": "グループを作成/更新します。",
+ "add_entities": "エンティティの追加",
+ "icon_description": "グループのアイコンの名前。",
+ "name_of_the_group": "グループの名前。",
+ "locks_a_lock": "ロックをロックします。",
+ "code_description": "アラームを警戒状態にさせるためのコード。",
+ "opens_a_lock": "ロックを開きます。",
+ "unlocks_a_lock": "ロックを解除します。",
+ "announce_description": "サテライトにメッセージをアナウンスさせます。",
+ "media_id": "メディアID",
+ "the_message_to_announce": "アナウンスするメッセージ。",
+ "announce": "アナウンス",
+ "reloads_the_automation_configuration": "オートメーション設定をリロードする。",
+ "trigger_description": "オートメーションのアクションをトリガーします。",
+ "skip_conditions": "スキップ条件",
+ "disables_an_automation": "オートメーションを無効にする。",
+ "stops_currently_running_actions": "現在実行中のアクションを停止します。",
+ "stop_actions": "アクションの停止",
+ "enables_an_automation": "オートメーションを有効にする。",
+ "deletes_all_log_entries": "すべてのログエントリを削除します。",
+ "write_log_entry": "ログエントリを書き込みます。",
+ "log_level": "ログレベル。",
+ "message_to_log": "ログに記録するメッセージ。",
+ "write": "書き込み",
+ "dashboard_path": "ダッシュボードのパス",
+ "view_path": "パスを見る",
+ "show_dashboard_view": "ダッシュボードビューを表示",
+ "process_description": "文字起こしされたテキストから会話を開始します。",
+ "agent": "エージェント",
+ "conversation_id": "会話ID",
+ "transcribed_text_input": "文字起こししたテキスト入力。",
+ "process": "プロセス",
+ "reloads_the_intent_configuration": "インテント設定をリロードします。",
+ "conversation_agent_to_reload": "会話エージェントをリロードします。",
+ "closes_a_cover": "カバーを閉じます。",
+ "close_cover_tilt_description": "カバーを傾けて閉じます。",
+ "close_tilt": "チルト閉",
+ "opens_a_cover": "カバーを開けます。",
+ "tilts_a_cover_open": "カバーを傾けて開きます。",
+ "open_tilt": "チルト開",
+ "set_cover_position_description": "カバーを特定の位置に移動します。",
+ "target_position": "ターゲット位置。",
+ "set_position": "セットポジション",
+ "target_tilt_positition": "チルト位置の目標。",
+ "set_tilt_position": "チルト位置を設定",
+ "stops_the_cover_movement": "カバーの動きを止めます。",
+ "stop_cover_tilt_description": "カバーのチルトの動きを止めます。",
+ "stop_tilt": "チルト停止",
+ "toggles_a_cover_open_closed": "カバーの開閉を切り替えます。",
+ "toggle_cover_tilt_description": "カバーのチルトの開閉を切り替える。",
+ "toggle_tilt": "チルト トグル",
+ "turns_auxiliary_heater_on_off": "補助ヒーターをオン/オフします。",
+ "aux_heat_description": "補助ヒーターの新しい値。",
+ "auxiliary_heating": "補助暖房",
+ "turn_on_off_auxiliary_heater": "補助ヒーターのオン/オフ",
+ "sets_fan_operation_mode": "ファンの動作モードを設定します。",
+ "fan_operation_mode": "ファンの動作モード。",
+ "set_fan_mode": "ファンモードの設定",
+ "sets_target_humidity": "設定湿度を設定します。",
+ "set_target_humidity": "設定湿度を設定する",
+ "sets_hvac_operation_mode": "HVAC の動作モードを設定します。",
+ "hvac_operation_mode": "HVAC運転モード。",
+ "set_hvac_mode": "HVACモードの設定",
+ "sets_preset_mode": "プリセットモードを設定します。",
+ "set_swing_horizontal_mode_description": "水平スイング動作モードを設定します。",
+ "horizontal_swing_operation_mode": "水平スイング動作モード。",
+ "set_horizontal_swing_mode": "水平スイングモードの設定",
+ "sets_swing_operation_mode": "スイング動作モードを設定します。",
+ "swing_operation_mode": "スイング動作モード。",
+ "set_swing_mode": "スイングモードの設定",
+ "sets_the_temperature_setpoint": "温度設定値を設定します。",
+ "the_max_temperature_setpoint": "設定温度の最大値。",
+ "the_min_temperature_setpoint": "設定温度の最低値。",
+ "the_temperature_setpoint": "温度設定値。",
+ "set_target_temperature": "設定温度の設定",
+ "turns_climate_device_off": "空調デバイスをオフにします。",
+ "turns_climate_device_on": "空調デバイスをオンにします。",
+ "apply_filter": "フィルタを適用する",
+ "days_to_keep": "保管日数",
+ "repack": "リパック",
+ "purge": "パージ",
+ "domains_to_remove": "削除するドメイン",
+ "entity_globs_to_remove": "削除するエンティティ グロブ",
+ "entities_to_remove": "削除するエンティティ",
+ "purge_entities": "エンティティのパージ",
+ "clear_playlist_description": "プレイリストからすべてのアイテムを削除します。",
+ "clear_playlist": "プレイリストをクリア",
+ "selects_the_next_track": "次のトラックを選択します。",
+ "pauses": "一時停止します。",
+ "starts_playing": "再生を開始します。",
+ "toggles_play_pause": "再生/一時停止を切り替えます。",
+ "selects_the_previous_track": "前のトラックを選択します。",
+ "seek": "シーク",
+ "stops_playing": "再生を停止します。",
+ "starts_playing_specified_media": "指定したメディアの再生を開始します。",
+ "enqueue": "キューに入れる",
+ "repeat_mode_to_set": "リピートモードを設定します。",
+ "select_sound_mode_description": "特定のサウンドモードを選択します。",
+ "select_sound_mode": "サウンドモードの選択",
+ "select_source": "ソースを選択",
+ "shuffle_description": "シャッフル モードが有効かどうか。",
+ "unjoin": "参加解除",
+ "turns_down_the_volume": "音量を下げます。",
+ "turn_down_volume": "音量を下げる",
+ "volume_mute_description": "メディアプレーヤーをミュートまたはミュート解除します。",
+ "is_volume_muted_description": "ミュートするかどうかを定義します。",
+ "mute_unmute_volume": "音量のミュート/ミュート解除",
+ "sets_the_volume_level": "音量レベルを設定します。",
+ "set_volume": "音量設定",
+ "turns_up_the_volume": "音量を上げます。",
+ "turn_up_volume": "音量を上げる",
"restarts_an_add_on": "アドオンを再起動します。",
"the_add_on_to_restart": "再起動するアドオン。",
"restart_add_on": "アドオンを再起動",
@@ -3272,38 +3758,6 @@
"restore_partial_description": "部分的なバックアップから復元します。",
"restores_home_assistant": "Home Assistantを復元します。",
"restore_from_partial_backup": "部分バックアップからの復元",
- "decrease_speed_description": "ファンの速度を下げます。",
- "decrease_speed": "速度を下げる",
- "increase_speed_description": "ファンの速度を上げます。",
- "increase_speed": "速度を上げます",
- "oscillate_description": "ファンの首振りを制御します。",
- "turns_oscillation_on_off": "首振りのオン/オフを切り替えます。",
- "set_direction_description": "ファンの回転方向を設定します。",
- "direction_description": "ファンの回転方向。",
- "set_direction": "方向設定",
- "set_percentage_description": "ファンの速度を設定します。",
- "speed_of_the_fan": "ファンの速度。",
- "percentage": "パーセント",
- "set_speed": "設定速度",
- "sets_preset_fan_mode": "プリセットファンモードを設定します。",
- "preset_fan_mode": "プリセットファンモード。",
- "toggles_a_fan_on_off": "ファンのオン/オフを切り替えます。",
- "turns_fan_off": "ファンをオフにします。",
- "turns_fan_on": "ファンをオンにします。",
- "get_weather_forecast": "天気予報を取得します。",
- "type_description": "予報タイプ:毎日、1時間ごと、1日2回。",
- "forecast_type": "予報タイプ",
- "get_forecast": "予報を取得",
- "get_forecasts": "予報を取得する",
- "clear_skipped_update": "スキップされたアップデートをクリアする",
- "install_update": "更新プログラムのインストール",
- "skip_description": "現在利用可能なアップデートをスキップ済みとしてマークします。",
- "skip_update": "更新をスキップ",
- "code_description": "ロックを解除するためのコード。",
- "arm_with_custom_bypass": "警戒 カスタム バイパス",
- "alarm_arm_vacation_description": "アラームを 「警戒、バケーション」に設定します。",
- "disarms_the_alarm": "アラームを解除します。",
- "trigger_the_alarm_manually": "アラームを手動でトリガーします。",
"selects_the_first_option": "最初のオプションを選択します。",
"first": "最初",
"selects_the_last_option": "最後のオプションを選択します。",
@@ -3311,74 +3765,16 @@
"selects_an_option": "オプションを選択します。",
"option_to_be_selected": "選択するオプション。",
"selects_the_previous_option": "前のオプションを選択します。",
- "disables_the_motion_detection": "モーション検知を無効にします。",
- "disable_motion_detection": "モーション検知を無効にする",
- "enable_motion_detection": "モーション検出を有効にします。",
- "format_description": "メディアプレーヤーがサポートするストリーム形式。",
- "format": "フォーマット",
- "media_player_description": "ストリーミング先のメディア プレーヤー。",
- "play_stream": "ストリームを再生する",
- "filename_description": "ファイル名へのフルパス。mp4 である必要があります。",
- "filename": "ファイル名",
- "lookback": "ルックバック",
- "snapshot_description": "カメラからスナップショットを取得します。",
- "full_path_to_filename": "ファイル名へのフルパス。",
- "take_snapshot": "スナップショットをとる",
- "turns_off_the_camera": "カメラをオフにします。",
- "turns_on_the_camera": "カメラをオンにします。",
- "press_the_button_entity": "ボタン エンティティを押します。",
+ "add_event_description": "新しいカレンダーイベントを追加します。",
+ "location_description": "イベントの場所。オプション。",
"start_date_description": "終日イベントの開始日。",
+ "create_event": "イベントの作成",
"get_events": "イベントの取得",
- "sets_the_options": "オプションを設定する。",
- "list_of_options": "オプションのリスト。",
- "set_options": "オプションを設定する",
- "closes_a_cover": "カバーを閉じます。",
- "close_cover_tilt_description": "カバーを傾けて閉じます。",
- "close_tilt": "チルト閉",
- "opens_a_cover": "カバーを開けます。",
- "tilts_a_cover_open": "カバーを傾けて開きます。",
- "open_tilt": "チルト開",
- "set_cover_position_description": "カバーを特定の位置に移動します。",
- "target_tilt_positition": "チルト位置の目標。",
- "set_tilt_position": "チルト位置を設定",
- "stops_the_cover_movement": "カバーの動きを止めます。",
- "stop_cover_tilt_description": "カバーのチルトの動きを止めます。",
- "stop_tilt": "チルト停止",
- "toggles_a_cover_open_closed": "カバーの開閉を切り替えます。",
- "toggle_cover_tilt_description": "カバーのチルトの開閉を切り替える。",
- "toggle_tilt": "チルト トグル",
- "request_sync_description": "request_sync コマンドを Google に送信します。",
- "agent_user_id": "エージェントのユーザーID",
- "request_sync": "同期をリクエストする",
- "log_description": "ログブックにカスタム エントリを作成します。",
- "message_description": "通知のメッセージ本文。",
- "enter_your_text": "テキストを入力してください。",
- "set_value": "値を設定",
- "topic_to_listen_to": "リッスンするトピック。",
- "topic": "トピック",
- "export": "エクスポート",
- "publish_description": "MQTT トピックにメッセージを発行する。",
- "evaluate_payload": "ペイロードを評価する",
- "the_payload_to_publish": "公開するペイロード。",
- "payload": "ペイロード",
- "payload_template": "ペイロードテンプレート",
- "qos": "QoS",
- "retain": "保持(Retain)",
- "topic_to_publish_to": "公開先のトピック。",
- "publish": "公開",
- "reloads_the_automation_configuration": "オートメーション設定をリロードする。",
- "trigger_description": "オートメーションのアクションをトリガーします。",
- "skip_conditions": "スキップ条件",
- "disables_an_automation": "オートメーションを無効にする。",
- "stops_currently_running_actions": "現在実行中のアクションを停止します。",
- "stop_actions": "アクションの停止",
- "enables_an_automation": "オートメーションを有効にする。",
- "enable_remote_access": "リモートアクセスを有効にする",
- "disable_remote_access": "リモートアクセスを無効にする",
- "set_default_level_description": "統合のデフォルトのログレベルを設定します。",
- "level_description": "すべての統合のデフォルトの重大度レベル。",
- "set_default_level": "デフォルトレベル設定",
- "set_level": "レベルを設定",
+ "closes_a_valve": "バルブを閉じます。",
+ "opens_a_valve": "バルブを開きます。",
+ "set_valve_position_description": "バルブを特定の位置に動かします。",
+ "stops_the_valve_movement": "バルブの動きを止めます。",
+ "toggles_a_valve_open_closed": "バルブの開閉を切り替えます。",
"bridge_identifier": "ブリッジ識別子",
"configuration_payload": "構成ペイロード",
"entity_description": "deCONZ の特定のデバイス エンドポイントを表します。",
@@ -3386,81 +3782,31 @@
"device_refresh_description": "deCONZ から利用可能なデバイスを更新します。",
"device_refresh": "デバイスのリフレッシュ",
"remove_orphaned_entries": "孤立したエントリを削除する",
- "locate_description": "掃除機ロボットの位置を確認します。",
- "pauses_the_cleaning_task": "クリーニングタスクを一時停止します。",
- "send_command_description": "掃除機にコマンドを送信します。",
- "command_description": "Google アシスタントに送信するコマンド。",
- "parameters": "パラメーター",
- "set_fan_speed": "ファン速度を設定する",
- "start_description": "クリーニングタスクを開始または再開します。",
- "start_pause_description": "クリーニングタスクを開始、一時停止、または再開します。",
- "stop_description": "現在のクリーニングタスクを停止する。",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "スイッチのオン/オフを切り替えます。",
- "turns_a_switch_off": "スイッチをオフにします。",
- "turns_a_switch_on": "スイッチをオンにします。",
+ "calendar_id_description": "希望するカレンダーのID。",
+ "calendar_id": "カレンダーID",
+ "description_description": "イベントの説明。オプション。",
+ "summary_description": "イベントのタイトルとして機能します。",
"extract_media_url_description": "サービスからメディア URL を抽出します。",
"format_query": "クエリのフォーマット",
"url_description": "メディアが見つかる URL。",
"media_url": "メディアURL",
"get_media_url": "メディア URL を取得",
"play_media_description": "指定された URL からファイルをダウンロードします。",
- "notify_description": "選択したターゲットに通知メッセージを送信します。",
- "data": "データ",
- "title_of_the_notification": "通知のタイトル。",
- "send_a_persistent_notification": "永続的な通知を送信する",
- "sends_a_notification_message": "通知メッセージを送信します。",
- "your_notification_message": "通知メッセージ。",
- "title_description": "オプションの通知タイトル。",
- "send_a_notification_message": "通知メッセージを送信する",
- "process_description": "文字起こしされたテキストから会話を開始します。",
- "agent": "エージェント",
- "conversation_id": "会話ID",
- "transcribed_text_input": "文字起こししたテキスト入力。",
- "process": "プロセス",
- "reloads_the_intent_configuration": "インテント設定をリロードします。",
- "conversation_agent_to_reload": "会話エージェントをリロードします。",
- "play_chime_description": "Reolink Chime で着信音を再生します。",
- "target_chime": "ターゲットチャイム",
- "ringtone_to_play": "再生する着信音。",
- "ringtone": "着信音",
- "play_chime": "チャイムを鳴らす",
- "ptz_move_description": "特定の速度でカメラを移動します。",
- "ptz_move_speed": "PTZ の移動速度。",
- "ptz_move": "PTZ 移動",
- "send_magic_packet": "マジックパケットを送信",
- "send_text_command": "テキストコマンドを送信",
- "announce_description": "サテライトにメッセージをアナウンスさせます。",
- "media_id": "メディアID",
- "the_message_to_announce": "アナウンスするメッセージ。",
- "deletes_all_log_entries": "すべてのログエントリを削除します。",
- "write_log_entry": "ログエントリを書き込みます。",
- "log_level": "ログレベル。",
- "message_to_log": "ログに記録するメッセージ。",
- "write": "書き込み",
- "locks_a_lock": "ロックをロックします。",
- "opens_a_lock": "ロックを開きます。",
- "unlocks_a_lock": "ロックを解除します。",
- "removes_a_group": "グループを削除します。",
- "object_id": "オブジェクトID",
- "creates_updates_a_group": "グループを作成/更新します。",
- "add_entities": "エンティティの追加",
- "icon_description": "グループのアイコンの名前。",
- "name_of_the_group": "グループの名前。",
- "stops_a_running_script": "実行中のスクリプトを停止します。",
- "create_description": "通知パネルに通知を表示します。",
- "notification_id": "通知ID",
- "dismiss_description": "通知パネルから通知を削除します。",
- "notification_id_description": "削除する通知の ID。",
- "dismiss_all_description": "通知パネルからすべての通知を削除します。",
- "load_url_description": "Kiosk Browser に URL を読み込みます。",
- "url_to_load": "ロードする URL。",
- "load_url": "URLをロード",
- "configuration_parameter_to_set": "設定する構成パラメータ。",
- "key": "キー",
- "set_configuration": "構成の設定",
- "application_description": "起動するアプリケーションのパッケージ名。",
- "application": "アプリケーション",
- "start_application": "アプリケーションを開始"
+ "sets_the_options": "オプションを設定する。",
+ "list_of_options": "オプションのリスト。",
+ "set_options": "オプションを設定する",
+ "arm_with_custom_bypass": "警戒 カスタム バイパス",
+ "alarm_arm_vacation_description": "アラームを 「警戒、バケーション」に設定します。",
+ "disarms_the_alarm": "アラームを解除します。",
+ "trigger_the_alarm_manually": "アラームを手動でトリガーします。",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "実行中のタイマーを予定より早く終了します。",
+ "duration_description": "タイマーを再スタートさせるカスタム継続時間。",
+ "toggles_a_switch_on_off": "スイッチのオン/オフを切り替えます。",
+ "turns_a_switch_off": "スイッチをオフにします。",
+ "turns_a_switch_on": "スイッチをオンにします。"
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/ka/ka.json b/packages/core/src/hooks/useLocale/locales/ka/ka.json
index 8d185f79..7c6ce42d 100644
--- a/packages/core/src/hooks/useLocale/locales/ka/ka.json
+++ b/packages/core/src/hooks/useLocale/locales/ka/ka.json
@@ -740,7 +740,7 @@
"can_not_skip_version": "Can not skip version",
"update_instructions": "Update instructions",
"current_activity": "Current activity",
- "status": "Status",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Vacuum cleaner commands:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -858,7 +858,7 @@
"restart_home_assistant": "Restart Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Quick reload",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Reloading configuration",
"failed_to_reload_configuration": "Failed to reload configuration",
"restart_description": "Interrupts all running automations and scripts.",
@@ -886,8 +886,8 @@
"password": "Password",
"regex_pattern": "Regex pattern",
"used_for_client_side_validation": "Used for client-side validation",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Input field",
"slider": "Slider",
"step_size": "Step size",
@@ -1494,141 +1494,120 @@
"now": "Now",
"compare_data": "Compare data",
"reload_ui": "Reload UI",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
+ "scene": "Scene",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climate",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climate",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1657,6 +1636,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1682,31 +1662,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Next dawn",
- "next_dusk": "Next dusk",
- "next_midnight": "Next midnight",
- "next_noon": "Next noon",
- "next_rising": "Next rising",
- "next_setting": "Next setting",
- "solar_azimuth": "Solar azimuth",
- "solar_elevation": "Solar elevation",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1728,34 +1693,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Plugged in",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1829,6 +1836,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1879,7 +1887,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1896,6 +1903,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Next dawn",
+ "next_dusk": "Next dusk",
+ "next_midnight": "Next midnight",
+ "next_noon": "Next noon",
+ "next_rising": "Next rising",
+ "next_setting": "Next setting",
+ "solar_azimuth": "Solar azimuth",
+ "solar_elevation": "Solar elevation",
+ "solar_rising": "Solar rising",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1915,73 +1965,251 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Plugged in",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Paused",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -2014,84 +2242,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Current humidity",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Current action",
- "cooling": "Cooling",
- "defrosting": "Defrosting",
- "drying": "Drying",
- "heating": "Heating",
- "preheating": "Preheating",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Both",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Not charging",
- "disconnected": "Disconnected",
- "connected": "Connected",
- "hot": "Hot",
- "no_light": "No light",
- "light_detected": "Light detected",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "Not moving",
- "unplugged": "Unplugged",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Above horizon",
- "below_horizon": "Below horizon",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2107,13 +2263,36 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "available_tones": "Available tones",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Clear, night",
"cloudy": "Cloudy",
"exceptional": "Exceptional",
@@ -2136,26 +2315,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "disarming": "Disarming",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2164,65 +2326,112 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locked": "Locked",
+ "locking": "Locking",
+ "unlocked": "Unlocked",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Current humidity",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Current action",
+ "cooling": "Cooling",
+ "defrosting": "Defrosting",
+ "drying": "Drying",
+ "heating": "Heating",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Both",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Not charging",
+ "disconnected": "Disconnected",
+ "connected": "Connected",
+ "hot": "Hot",
+ "no_light": "No light",
+ "light_detected": "Light detected",
+ "not_moving": "Not moving",
+ "unplugged": "Unplugged",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Above horizon",
+ "below_horizon": "Below horizon",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Disarming",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2233,27 +2442,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2261,68 +2472,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API Key",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2349,48 +2519,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Bridge is already configured",
- "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Couldn't get an API key",
- "link_with_deconz": "Link with deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API Key",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2398,128 +2567,161 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "Bridge is already configured",
+ "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Couldn't get an API key",
+ "link_with_deconz": "Link with deCONZ",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Enable birth message",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Enable will message",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
"samsungtv_smart_options": "SamsungTV Smart options",
"data_use_st_status_info": "Use SmartThings TV Status information",
"data_use_st_channel_info": "Use SmartThings TV Channels information",
@@ -2547,28 +2749,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Enable birth message",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Enable will message",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2576,26 +2756,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2690,6 +2955,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
+ "increase_entity_name_brightness": "Increase {entity_name} brightness",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "First button",
+ "second_button": "Second button",
+ "third_button": "Third button",
+ "fourth_button": "Fourth button",
+ "fifth_button": "Fifth button",
+ "sixth_button": "Sixth button",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} is home",
+ "entity_name_is_not_home": "{entity_name} is not home",
+ "entity_name_enters_a_zone": "{entity_name} შედის ზონაში",
+ "entity_name_leaves_a_zone": "{entity_name} ტოვებს ზონას",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} is cleaning",
+ "entity_name_is_docked": "{entity_name} is docked",
+ "entity_name_started_cleaning": "{entity_name} started cleaning",
+ "entity_name_docked": "{entity_name} docked",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} is locked",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is unlocked",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opened",
+ "entity_name_unlocked": "{entity_name} unlocked",
"action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
"change_preset_on_entity_name": "Change preset on {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2697,8 +3015,22 @@
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Close {entity_name} tilt",
+ "open_entity_name_tilt": "Open {entity_name} tilt",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Set {entity_name} tilt position",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} is closed",
+ "entity_name_is_closing": "{entity_name} is closing",
+ "entity_name_is_opening": "{entity_name} is opening",
+ "current_entity_name_position_is": "Current {entity_name} position is",
+ "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
+ "entity_name_closed": "{entity_name} closed",
+ "entity_name_closing": "{entity_name} closing",
+ "entity_name_opening": "{entity_name} opening",
+ "entity_name_position_changes": "{entity_name} position changes",
+ "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
"entity_name_battery_is_low": "{entity_name} battery is low",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2707,7 +3039,6 @@
"entity_name_is_detecting_gas": "{entity_name} is detecting gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} is detecting light",
- "entity_name_is_locked": "{entity_name} is locked",
"entity_name_is_moist": "{entity_name} is moist",
"entity_name_is_detecting_motion": "{entity_name} is detecting motion",
"entity_name_is_moving": "{entity_name} is moving",
@@ -2725,11 +3056,9 @@
"entity_name_is_not_cold": "{entity_name} is not cold",
"entity_name_is_disconnected": "{entity_name} is disconnected",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} is unlocked",
"entity_name_is_dry": "{entity_name} is dry",
"entity_name_is_not_moving": "{entity_name} is not moving",
"entity_name_is_not_occupied": "{entity_name} is not occupied",
- "entity_name_is_closed": "{entity_name} is closed",
"entity_name_is_unplugged": "{entity_name} is unplugged",
"entity_name_is_not_powered": "{entity_name} is not powered",
"entity_name_is_not_present": "{entity_name} is not present",
@@ -2737,7 +3066,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} is occupied",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is plugged in",
"entity_name_is_powered": "{entity_name} is powered",
"entity_name_is_present": "{entity_name} is present",
@@ -2757,7 +3085,6 @@
"entity_name_started_detecting_gas": "{entity_name} started detecting gas",
"entity_name_became_hot": "{entity_name} became hot",
"entity_name_started_detecting_light": "{entity_name} started detecting light",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} started detecting motion",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2768,18 +3095,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} became not hot",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} closed",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
@@ -2787,7 +3111,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} plugged in",
"entity_name_powered": "{entity_name} powered",
"entity_name_present": "{entity_name} present",
@@ -2795,46 +3118,16 @@
"entity_name_started_running": "{entity_name} started running",
"entity_name_started_detecting_smoke": "{entity_name} started detecting smoke",
"entity_name_started_detecting_sound": "{entity_name} started detecting sound",
- "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
- "entity_name_became_unsafe": "{entity_name} became unsafe",
- "trigger_type_update": "{entity_name} got an update available",
- "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
- "entity_name_is_buffering": "{entity_name} is buffering",
- "entity_name_is_idle": "{entity_name} is idle",
- "entity_name_is_paused": "{entity_name} is paused",
- "entity_name_is_playing": "{entity_name} is playing",
- "entity_name_starts_buffering": "{entity_name} starts buffering",
- "entity_name_becomes_idle": "{entity_name} becomes idle",
- "entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} is home",
- "entity_name_is_not_home": "{entity_name} is not home",
- "entity_name_enters_a_zone": "{entity_name} შედის ზონაში",
- "entity_name_leaves_a_zone": "{entity_name} ტოვებს ზონას",
- "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
- "increase_entity_name_brightness": "Increase {entity_name} brightness",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Disarm {entity_name}",
- "trigger_entity_name": "Trigger {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} is disarmed",
- "entity_name_is_triggered": "{entity_name} is triggered",
- "entity_name_armed_away": "{entity_name} armed away",
- "entity_name_armed_home": "{entity_name} armed home",
- "entity_name_armed_night": "{entity_name} armed night",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} disarmed",
- "entity_name_triggered": "{entity_name} triggered",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
+ "entity_name_became_unsafe": "{entity_name} became unsafe",
+ "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
+ "entity_name_is_buffering": "{entity_name} is buffering",
+ "entity_name_is_idle": "{entity_name} is idle",
+ "entity_name_is_paused": "{entity_name} is paused",
+ "entity_name_is_playing": "{entity_name} is playing",
+ "entity_name_starts_buffering": "{entity_name} starts buffering",
+ "entity_name_becomes_idle": "{entity_name} becomes idle",
+ "entity_name_starts_playing": "{entity_name} starts playing",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2844,35 +3137,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Close {entity_name} tilt",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Open {entity_name} tilt",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Set {entity_name} tilt position",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} is closing",
- "entity_name_is_opening": "{entity_name} is opening",
- "current_entity_name_position_is": "Current {entity_name} position is",
- "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
- "entity_name_closing": "{entity_name} closing",
- "entity_name_opening": "{entity_name} opening",
- "entity_name_position_changes": "{entity_name} position changes",
- "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Both buttons",
"bottom_buttons": "Bottom buttons",
"seventh_button": "Seventh button",
@@ -2897,13 +3161,6 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} is cleaning",
- "entity_name_is_docked": "{entity_name} is docked",
- "entity_name_started_cleaning": "{entity_name} started cleaning",
- "entity_name_docked": "{entity_name} docked",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2914,29 +3171,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Disarm {entity_name}",
+ "trigger_entity_name": "Trigger {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} is disarmed",
+ "entity_name_is_triggered": "{entity_name} is triggered",
+ "entity_name_armed_away": "{entity_name} armed away",
+ "entity_name_armed_home": "{entity_name} armed home",
+ "entity_name_armed_night": "{entity_name} armed night",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} disarmed",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "Device dropped",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Device tilted",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3067,52 +3349,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3129,6 +3381,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3139,102 +3392,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3247,25 +3409,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3291,27 +3498,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3350,40 +3838,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3391,77 +3845,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3470,83 +3863,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/ko/ko.json b/packages/core/src/hooks/useLocale/locales/ko/ko.json
index 16749689..d1c54b6f 100644
--- a/packages/core/src/hooks/useLocale/locales/ko/ko.json
+++ b/packages/core/src/hooks/useLocale/locales/ko/ko.json
@@ -70,10 +70,10 @@
"increment": "증가",
"decrement": "감소",
"reset": "초기화",
- "position": "위치",
+ "position": "Position",
"tilt_position": "기울기 위치",
- "open": "열기",
- "close": "닫기",
+ "open_cover": "열기",
+ "close_cover": "닫기",
"stop_cover": "커버 중지",
"preset_mode": "프리셋 모드",
"oscillate": "회전",
@@ -100,6 +100,7 @@
"effect": "Effect",
"lock": "잠금장치",
"unlock": "잠금 해제",
+ "open": "Open",
"open_door": "Open door",
"really_open": "문을 여시겠습니까?",
"done": "Done",
@@ -109,7 +110,7 @@
"browse_media": "미디어 찾아보기",
"play": "재생",
"play_pause": "재생 / 일시정지",
- "stop": "중지",
+ "stop": "Stop",
"next": "다음",
"previous": "이전",
"volume_up": "음량 크게",
@@ -129,7 +130,7 @@
"cancel": "취소",
"cancel_number": "{number}개 취소하기",
"cancel_all": "모두 취소",
- "idle": "Idle",
+ "idle": "유휴 중",
"run_script": "스크립트 실행",
"option": "옵션",
"installing": "설치 중",
@@ -186,6 +187,7 @@
"purge": "제거",
"disable": "비활성화",
"hide": "숨기기",
+ "close": "Close",
"leave": "나가기",
"stay": "머무르기",
"back": "뒤로가기",
@@ -198,7 +200,7 @@
"submit": "확인",
"rename": "이름 변경",
"search": "Search",
- "ok": "OK",
+ "ok": "문제없음",
"yes": "네",
"no": "아니요",
"not_now": "나중에",
@@ -243,6 +245,7 @@
"entity": "구성요소",
"floor": "층",
"icon": "아이콘",
+ "location": "위치",
"number": "Number",
"object": "개체",
"rgb_color": "RGB 색상",
@@ -342,7 +345,7 @@
"conversation_agent": "대화 에이전트",
"none": "없음",
"country": "국가",
- "assistant": "Assist Pipeline",
+ "assistant": "Assistant",
"preferred_assistant_preferred": "선호하는 어시스턴트 ({preferred})",
"last_used_assistant": "최근 사용한 어시스턴트",
"no_theme": "테마 없음",
@@ -621,7 +624,7 @@
"line_line_column_column": "line: {line}, column: {column}",
"last_changed": "최근 변경 됨",
"last_updated": "마지막 업데이트",
- "remaining": "남은 시간",
+ "time_left": "남은 시간",
"install_status": "설치 상태",
"safe_mode": "안전 모드",
"all_yaml_configuration": "모든 YAML 구성",
@@ -722,7 +725,7 @@
"ui_dialogs_more_info_control_update_create_backup": "업데이트하기 전에 백업 만들기",
"update_instructions": "업데이트 방법",
"current_activity": "현재 활동",
- "status": "상태",
+ "status": "Status 2",
"vacuum_cleaner_commands": "청소기 조작 명령:",
"fan_speed": "팬 속도",
"clean_spot": "부분 청소",
@@ -755,7 +758,7 @@
"default_code": "기본 코드",
"editor_default_code_error": "코드가 코드 형식과 일치하지 않습니다.",
"entity_id": "구성요소 ID",
- "unit_of_measurement": "측정 단위",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "강수량 단위",
"display_precision": "디스플레이 정밀도",
"default_value": "기본값 ({value})",
@@ -837,7 +840,7 @@
"restart_home_assistant": "Home Assistant를 다시 시작하시겠습니까?",
"advanced_options": "Advanced options",
"quick_reload": "빠르게 다시 로드하기",
- "reload_description": "사용 가능한 모든 스크립트를 다시 로드합니다.",
+ "reload_description": "YAML 구성에서 타이머를 다시 로드합니다.",
"reloading_configuration": "구성 다시 로드 중",
"failed_to_reload_configuration": "구성을 다시 로드하지 못했습니다.",
"restart_description": "실행 중인 모든 자동화 및 스크립트를 중단합니다.",
@@ -866,8 +869,8 @@
"password": "암호",
"regex_pattern": "정규식 패턴",
"used_for_client_side_validation": "클라이언트 측 유효성 검사에 사용됨",
- "minimum_value": "최소 값",
- "maximum_value": "최대 값",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "입력란",
"slider": "슬라이더",
"step_size": "계수 간격",
@@ -910,6 +913,7 @@
"ui_dialogs_zha_device_info_confirmations_remove": "이 기기를 제거하시겠습니까?",
"quirk": "규격외 사양 표준화(Quirk)",
"last_seen": "마지막 확인",
+ "power_source": "Power source",
"change_device_name": "기기 이름 변경",
"device_debug_info": "{device} 디버그 정보",
"mqtt_device_debug_info_deserialize": "MQTT 메시지를 JSON 으로 구문 분석하기",
@@ -1182,7 +1186,7 @@
"ui_panel_lovelace_editor_edit_view_type_helper_sections": "마이그레이션이 아직 지원되지 않으므로 '섹션' 보기 유형을 사용하도록 보기를 변경할 수 없습니다. '섹션' 보기를 시험해 보려면 새 보기로 처음부터 시작하세요.",
"card_configuration": "카드 구성",
"type_card_configuration": "{type} 카드 구성",
- "edit_card_pick_card": "어떤 카드를 추가하시겠습니까?",
+ "edit_card_pick_card": "Which card would you like to add?",
"toggle_editor": "에디터 토글",
"you_have_unsaved_changes": "저장되지 않은 변경사항이 있습니다",
"edit_card_confirm_cancel": "취소하시겠습니까?",
@@ -1394,6 +1398,7 @@
"show_entity_picture": "구성요소 사진 표시",
"vertical": "수직",
"hide_state": "상태 숨기기",
+ "ui_panel_lovelace_editor_card_tile_state_content_options_state": "상태",
"vertical_stack": "수직 쌓아보기",
"weather_forecast": "날씨 예보",
"weather_to_show": "날씨 표시",
@@ -1454,7 +1459,7 @@
"select_options": "옵션 선택",
"customize_options": "사용자정의 옵션",
"water_heater_operation_modes": "온수기 작동 모드",
- "run_mode": "작동 모드",
+ "operation_modes": "작동 모드",
"customize_operation_modes": "작동 모드 사용자 정의",
"update_actions": "업데이트 동작",
"ask": "질문",
@@ -1496,140 +1501,119 @@
"now": "지금",
"compare_data": "데이터 비교",
"reload_ui": "UI 다시 읽어오기",
- "input_datetime": "날짜시간 입력",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "타이머",
- "local_calendar": "로컬 캘린더",
- "intent": "Intent",
- "device_tracker": "디바이스 추적기",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "참/거짓 입력",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
- "fan": "팬",
- "weather": "날씨",
- "camera": "카메라",
- "schedule": "스케줄",
- "mqtt": "MQTT",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "진단",
+ "filesize": "파일 크기",
+ "group": "그룹",
+ "binary_sensor": "이진 센서",
+ "ffmpeg": "FFmpeg",
"deconz": "deCONZ",
- "go_rtc": "go2rtc",
- "android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "대화",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "텍스트 입력",
- "valve": "Valve",
+ "google_calendar": "Google Calendar",
+ "device_automation": "Device Automation",
+ "person": "사람",
+ "profiler": "Profiler",
"fitbit": "Fitbit",
+ "logger": "로거",
+ "fan": "송풍",
+ "scene": "Scene",
+ "schedule": "스케줄",
"home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "공조기기",
- "binary_sensor": "이진 센서",
- "broadlink": "Broadlink",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
+ "mqtt": "MQTT",
+ "repairs": "Repairs",
+ "weather": "날씨",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
+ "android_tv_remote": "Android TV Remote",
+ "assist_satellite": "Assist satellite",
+ "system_log": "System Log",
+ "cover": "커버",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "커버",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "로컬 캘린더",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "사이렌",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "잔디 깎기",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "이벤트",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "디바이스 추적기",
+ "remote": "리모컨",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "스위치",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "청소기",
+ "reolink": "Reolink",
+ "camera": "카메라",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "리모컨",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "계수기",
- "filesize": "파일 크기",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi 전원 공급 검사",
+ "conversation": "대화",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "공조기기",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "참/거짓 입력",
- "lawn_mower": "잔디 깎기",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "이벤트",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "경보 제어판",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "타이머",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "스위치",
+ "input_datetime": "날짜시간 입력",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "계수기",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "블루투스",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "애플리케이션 자격 증명",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "그룹",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "진단",
- "person": "사람",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "텍스트 입력",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "애플리케이션 자격 증명",
- "siren": "사이렌",
- "bluetooth": "블루투스",
- "logger": "로거",
- "vacuum": "청소기",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi 전원 공급 검사",
- "assist_satellite": "Assist satellite",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "배터리 잔량",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
- "closed": "닫힘",
+ "closed": "Closed",
"overheated": "Overheated",
"temperature_warning": "Temperature warning",
"update_available": "업데이트 가능",
@@ -1654,6 +1638,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "배터리 잔량",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "총 소비량",
@@ -1670,7 +1655,7 @@
"auto_off_enabled": "Auto off enabled",
"auto_update_enabled": "Auto update enabled",
"baby_cry_detection": "Baby cry detection",
- "child_lock": "Child lock",
+ "child_lock": "차일드락",
"fan_sleep_mode": "Fan sleep mode",
"led": "LED",
"motion_detection": "움직임 감지",
@@ -1678,31 +1663,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "다음 새벽",
- "next_dusk": "다음 황혼",
- "next_midnight": "다음 자정",
- "next_noon": "다음 정오",
- "next_rising": "다음 해돋이",
- "next_setting": "다음 해넘이",
- "solar_azimuth": "태양 방위각",
- "solar_elevation": "태양 고도",
- "solar_rising": "태양 상승",
- "day_of_week": "Day of week",
- "illuminance": "조도",
- "noise": "소음",
- "overload": "과부하",
- "working_location": "Working location",
- "created": "Created",
- "size": "크기",
- "size_in_bytes": "크기 (바이트)",
- "compressor_energy_consumption": "컴프레서 에너지 소비",
- "compressor_estimated_power_consumption": "컴프레서 예상 전력 소비량",
- "compressor_frequency": "컴프레서 주파수",
- "cool_energy_consumption": "냉방 에너지 소비량",
- "energy_consumption": "에너지 소비량",
- "heat_energy_consumption": "난방 에너지 소비량",
- "inside_temperature": "내부 온도",
- "outside_temperature": "바깥 온도",
+ "calibration": "교정",
+ "auto_lock_paused": "자동 잠금 일시중지됨",
+ "timeout": "타임아웃",
+ "unclosed_alarm": "닫히지 않은 경보",
+ "unlocked_alarm": "잠금 해제된 알람",
+ "bluetooth_signal": "블루투스 신호",
+ "light_level": "조명 레벨",
+ "wi_fi_signal": "Wi-Fi 신호",
+ "momentary": "모멘터리",
+ "pull_retract": "당기기/접기",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1724,33 +1694,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist 진행 중",
- "preferred": "선호됨",
- "finished_speaking_detection": "대화 끝 감지",
- "aggressive": "적극적인",
- "relaxed": "느긋한",
- "os_agent_version": "OS 에이전트 버전",
- "apparmor_version": "Apparmor 버전",
- "cpu_percent": "CPU 퍼센트",
- "disk_free": "여유 공간",
- "disk_total": "디스크 총 용량",
- "disk_used": "디스크 사용량",
- "memory_percent": "메모리 퍼센트",
- "version": "버전",
- "newest_version": "최신 버전",
- "synchronize_devices": "기기 동기화",
- "estimated_distance": "예상 거리",
- "vendor": "공급업체",
- "quiet": "저소음",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "자동 게인",
- "mic_volume": "Mic volume",
- "noise_suppression_level": "노이즈 억제 수준",
- "off": "꺼짐",
+ "day_of_week": "Day of week",
+ "illuminance": "조도",
+ "noise": "소음",
+ "overload": "과부하",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
+ "synchronize_devices": "기기 동기화",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
+ "mic_volume": "마이크 볼륨",
+ "voice_volume": "Voice volume",
+ "last_activity": "마지막 활동",
+ "last_ding": "마지막 차임",
+ "last_motion": "마지막 움직임",
+ "wi_fi_signal_category": "Wi-Fi 신호 범주",
+ "wi_fi_signal_strength": "Wi-Fi 신호 강도",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "컴프레서 에너지 소비",
+ "compressor_estimated_power_consumption": "컴프레서 예상 전력 소비량",
+ "compressor_frequency": "컴프레서 주파수",
+ "cool_energy_consumption": "냉방 에너지 소비량",
+ "energy_consumption": "에너지 소비량",
+ "heat_energy_consumption": "난방 에너지 소비량",
+ "inside_temperature": "내부 온도",
+ "outside_temperature": "바깥 온도",
+ "device_admin": "기기 관리자",
+ "kiosk_mode": "키오스크 모드",
+ "plugged_in": "플러그가 꼽힘",
+ "load_start_url": "로드 시작 URL",
+ "restart_browser": "브라우저 다시 시작",
+ "restart_device": "Restart device",
+ "send_to_background": "백그라운드로 보내기",
+ "bring_to_foreground": "포그라운드로 가져오기",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "화면 밝기",
+ "screen_off_timer": "화면 끄기 타이머",
+ "screensaver_brightness": "화면 보호기 밝기",
+ "screensaver_timer": "화면 보호기 타이머",
+ "current_page": "현재 페이지",
+ "foreground_app": "포그라운드 앱",
+ "internal_storage_free_space": "내부 저장소 여유 공간",
+ "internal_storage_total_space": "내부 저장소 총 공간",
+ "free_memory": "사용 가능한 메모리",
+ "total_memory": "총 메모리",
+ "screen_orientation": "화면 방향",
+ "kiosk_lock": "키오스크 잠금",
+ "maintenance_mode": "유지 관리 모드",
+ "screensaver": "화면 보호기",
"animal": "동물",
"detected": "감지됨",
"animal_lens": "동물 렌즈 1",
@@ -1824,6 +1837,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "줌",
"auto_quick_reply_message": "자동 빠른 답장 메시지",
+ "off": "꺼짐",
"auto_track_method": "자동 추적 방법",
"digital": "디지털",
"digital_first": "디지털 우선",
@@ -1874,7 +1888,6 @@
"ptz_pan_position": "PTZ 팬 위치",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "와이파이 신호",
"auto_focus": "자동 초점",
"auto_tracking": "자동 추적",
"doorbell_button_sound": "초인종 버튼 소리",
@@ -1891,6 +1904,48 @@
"record": "기록",
"record_audio": "오디오 녹음",
"siren_on_event": "이벤트 중 사이렌",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "크기",
+ "size_in_bytes": "크기 (바이트)",
+ "assist_in_progress": "Assist 진행 중",
+ "quiet": "저소음",
+ "preferred": "선호됨",
+ "finished_speaking_detection": "말하기 감지 완료",
+ "aggressive": "적극적인",
+ "relaxed": "느긋한",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS 에이전트 버전",
+ "apparmor_version": "Apparmor 버전",
+ "cpu_percent": "CPU 퍼센트",
+ "disk_free": "여유 공간",
+ "disk_total": "디스크 총 용량",
+ "disk_used": "디스크 사용량",
+ "memory_percent": "메모리 퍼센트",
+ "version": "버전",
+ "newest_version": "최신 버전",
+ "auto_gain": "자동 게인",
+ "noise_suppression_level": "노이즈 억제 수준",
+ "bytes_received": "수신된 바이트",
+ "server_country": "서버 국가",
+ "server_id": "서버 ID",
+ "server_name": "서버 이름",
+ "ping": "핑",
+ "upload": "업로드",
+ "bytes_sent": "전송된 바이트",
+ "working_location": "Working location",
+ "next_dawn": "다음 새벽",
+ "next_dusk": "다음 황혼",
+ "next_midnight": "다음 자정",
+ "next_noon": "다음 정오",
+ "next_rising": "다음 해돋이",
+ "next_setting": "다음 해넘이",
+ "solar_azimuth": "태양 방위각",
+ "solar_elevation": "태양 고도",
+ "solar_rising": "태양 상승",
"heavy": "무겁게",
"mild": "약하게",
"button_down": "버튼 다운",
@@ -1906,70 +1961,250 @@
"not_completed": "완료되지 않음",
"pending": "보류 중",
"checking": "확인 중",
- "closing": "닫는중",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "마지막 활동",
- "last_ding": "마지막 차임",
- "last_motion": "마지막 움직임",
- "wi_fi_signal_category": "Wi-Fi 신호 범주",
- "wi_fi_signal_strength": "Wi-Fi 신호 강도",
- "in_home_chime": "In-home chime",
- "calibration": "교정",
- "auto_lock_paused": "자동 잠금 일시중지됨",
- "timeout": "타임아웃",
- "unclosed_alarm": "닫히지 않은 경보",
- "unlocked_alarm": "잠금 해제된 알람",
- "bluetooth_signal": "블루투스 신호",
- "light_level": "조명 레벨",
- "momentary": "모멘터리",
- "pull_retract": "당기기/접기",
- "bytes_received": "수신된 바이트",
- "server_country": "서버 국가",
- "server_id": "서버 ID",
- "server_name": "서버 이름",
- "ping": "핑",
- "upload": "업로드",
- "bytes_sent": "전송된 바이트",
- "device_admin": "기기 관리자",
- "kiosk_mode": "키오스크 모드",
- "plugged_in": "플러그가 꼽힘",
- "load_start_url": "로드 시작 URL",
- "restart_browser": "브라우저 다시 시작",
- "restart_device": "기기 다시 시작",
- "send_to_background": "백그라운드로 보내기",
- "bring_to_foreground": "포그라운드로 가져오기",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "화면 밝기",
- "screen_off_timer": "화면 끄기 타이머",
- "screensaver_brightness": "화면 보호기 밝기",
- "screensaver_timer": "화면 보호기 타이머",
- "current_page": "현재 페이지",
- "foreground_app": "포그라운드 앱",
- "internal_storage_free_space": "내부 저장소 여유 공간",
- "internal_storage_total_space": "내부 저장소 총 공간",
- "free_memory": "사용 가능한 메모리",
- "total_memory": "총 메모리",
- "screen_orientation": "화면 방향",
- "kiosk_lock": "키오스크 잠금",
- "maintenance_mode": "유지 관리 모드",
- "screensaver": "화면 보호기",
- "last_scanned_by_device_id_name": "최근 검색 된 디바이스 ID",
- "tag_id": "태그 ID",
- "managed_via_ui": "UI를 통해 관리됨",
- "pattern": "패턴",
- "minute": "분",
- "second": "초",
- "timestamp": "타임스탬프",
- "stopped": "중지됨",
+ "closing": "Closing",
+ "estimated_distance": "예상 거리",
+ "vendor": "공급업체",
+ "accelerometer": "가속도계",
+ "binary_input": "이진 입력",
+ "calibrated": "보정됨",
+ "consumer_connected": "소비자 연결",
+ "external_sensor": "외부 센서",
+ "frost_lock": "프로스트 락",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS 존",
+ "linkage_alarm_state": "연동 경보 상태",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "필터 교체",
+ "valve_alarm": "밸브 알람",
+ "open_window_detection": "Open window detection",
+ "feed": "피드",
+ "frost_lock_reset": "프로스트 락 재설정",
+ "presence_status_reset": "존재 상태 재설정",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "자가 진단",
+ "keen_vent": "예리한 통풍구",
+ "fan_group": "팬 그룹",
+ "light_group": "조명 그룹",
+ "door_lock": "도어록",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "접근 거리",
+ "automatic_switch_shutoff_timer": "자동 스위치 차단 타이머",
+ "away_preset_temperature": "외출 사전 설정 온도",
+ "boost_amount": "Boost amount",
+ "button_delay": "버튼 지연",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "기본 이동 속도",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "탐지 간격",
+ "local_dimming_down_speed": "로컬 디밍 속도 감소",
+ "remote_dimming_down_speed": "원격 디밍 속도 감소",
+ "local_dimming_up_speed": "로컬 디밍 업 속도",
+ "remote_dimming_up_speed": "원격 디밍 업 속도",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "더블 탭 다운 레벨",
+ "double_tap_up_level": "더블 탭 업 레벨",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "필터 수명",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "기본 모든 LED 꺼짐 색상",
+ "led_color_when_on_name": "기본 모든 LED 색상",
+ "led_intensity_when_off_name": "기본 모든 LED 꺼짐 강도",
+ "led_intensity_when_on_name": "기본 모든 LED 켜짐 강도",
+ "load_level_indicator_timeout": "부하 수준 표시기 시간 초과",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "최대 부하 디밍 레벨",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "최소 부하 디밍 레벨",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "꺼짐 전환 시간",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "켜짐 레벨",
+ "on_off_transition_time": "켜기/끄기 전환 시간",
+ "on_transition_time": "전환 시간",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "부분 중량",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "빠른 시작 시간",
+ "ramp_rate_off_to_on_local_name": "로컬 램프 속도 끄기에서 켜기",
+ "ramp_rate_off_to_on_remote_name": "원격 램프 속도 끄기에서 켜기",
+ "ramp_rate_on_to_off_local_name": "로컬 램프 속도 켜기/끄기",
+ "ramp_rate_on_to_off_remote_name": "원격 램프 속도 켜기/끄기",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "분배 서비스",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "시동 색온도",
+ "start_up_current_level": "시동 전류 레벨",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "타이머 지속 시간",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "전력 전송",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "백라이트 모드",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "기본 사이렌 레벨",
+ "default_siren_tone": "기본 사이렌 톤",
+ "default_strobe": "기본 스트로브",
+ "default_strobe_level": "기본 스트로브 레벨",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "비 중립 출력",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "LED 스케일링 모드",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "모니터링 모드",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "출력 모드",
+ "power_on_state": "전원 켜짐 상태",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "스마트 팬 LED 디스플레이 레벨",
+ "start_up_behavior": "시작 동작",
+ "switch_mode": "Switch mode",
+ "switch_type": "스위치 유형",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "커튼 모드",
+ "ac_frequency": "AC 주파수",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "진행 중",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "아날로그 입력",
+ "control_status": "Control status",
+ "device_run_time": "기기 실행 시간",
+ "device_temperature": "기기 온도",
+ "target_distance": "Target distance",
+ "filter_run_time": "필터 실행 시간",
+ "formaldehyde_concentration": "포름알데히드 농도",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC 동작",
+ "instantaneous_demand": "순간적인 수요",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "마지막 먹이 크기",
+ "last_feeding_source": "마지막 먹이 공급원",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "잎의 젖음",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "오늘 분배된 분량",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "연기 밀도",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "토양 수분",
+ "summation_delivered": "요약 전달됨",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 요약 전달됨",
+ "timer_state": "Timer state",
+ "weight_dispensed_today": "오늘 분배된 무게",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux 스위치 장면",
+ "binding_off_to_on_sync_level_name": "동기화 수준에 바인딩 끄기",
+ "buzzer_manual_alarm": "부저 수동 경보",
+ "buzzer_manual_mute": "부저 수동 음소거",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "알림을 지우려면 구성을 두 번 탭하세요.",
+ "disable_led": "LED 비활성화",
+ "double_tap_down_enabled": "더블 탭 다운 활성화됨",
+ "double_tap_up_enabled": "더블 탭 업 활성화됨",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "펌웨어 진행률 LED",
+ "heartbeat_indicator": "하트비트 표시기",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "반전 스위치",
+ "inverted": "Inverted",
+ "led_indicator": "LED 표시기",
+ "linkage_alarm": "연동 경보",
+ "local_protection": "로컬 보호",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "단 1개의 LED 모드",
+ "open_window": "Open window",
+ "power_outage_memory": "정전 메모리",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "온오프 모드에서 릴레이 클릭 비활성화",
+ "smart_bulb_mode": "스마트 전구 모드",
+ "smart_fan_mode": "스마트 팬 모드",
+ "led_trigger_indicator": "LED 트리거 표시기",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "밸브 감지",
+ "window_detection": "창 감지",
+ "invert_window_detection": "반전 창 감지",
+ "available_tones": "사용 가능한 톤",
"gps_accuracy": "GPS 정확도",
- "paused": "일시 정지",
- "finishes_at": "~에 종료",
- "restore": "복원",
"last_reset": "마지막 재설정",
"possible_states": "가능한 상태",
"state_class": "상태 클래스",
@@ -2000,77 +2235,12 @@
"sound_pressure": "음압",
"speed": "속도",
"sulphur_dioxide": "이산화황",
+ "timestamp": "타임스탬프",
"vocs": "휘발성 유기 화합물",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "저장된 볼륨",
"weight": "무게",
- "cool": "냉방",
- "fan_only": "송풍",
- "heat_cool": "냉난방",
- "aux_heat": "보조 열",
- "current_humidity": "현재 습도",
- "current_temperature": "Current Temperature",
- "fan_mode": "팬 모드",
- "diffuse": "발산",
- "middle": "중간",
- "top": "위",
- "current_action": "현재 동작",
- "cooling": "냉방 중",
- "defrosting": "Defrosting",
- "drying": "제습 중",
- "heating": "난방 중",
- "preheating": "예열",
- "max_target_humidity": "상한 희망 습도",
- "max_target_temperature": "상한 희망 온도",
- "min_target_humidity": "하한 희망 습도",
- "min_target_temperature": "하한 희망 온도",
- "boost": "쾌속",
- "comfort": "쾌적",
- "eco": "절약",
- "sleep": "취침",
- "horizontal_swing_mode": "Horizontal swing mode",
- "both": "둘 다",
- "horizontal": "수평",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "희망 온도 단계",
- "step": "단계",
- "not_charging": "충전 중 아님",
- "disconnected": "연결 해제됨",
- "connected": "연결됨",
- "hot": "고온",
- "light_detected": "빛이 감지됨",
- "locked": "잠금",
- "not_moving": "움직이지 않음",
- "unplugged": "플러그가 뽑힘",
- "not_running": "작동 중 아님",
- "unsafe": "위험",
- "tampering_detected": "변조 감지됨",
- "box": "상자",
- "above_horizon": "수평선 위",
- "below_horizon": "수평선 아래",
- "buffering": "버퍼링 중",
- "playing": "재생 중",
- "standby": "대기 중",
- "app_id": "앱 ID",
- "local_accessible_entity_picture": "로컬 액세스 가능 구성요소 사진",
- "group_members": "그룹 구성원",
- "muted": "음소거됨",
- "album_artist": "앨범 아티스트",
- "content_id": "콘텐츠 ID",
- "content_type": "콘텐츠 유형",
- "position_updated": "위치 업데이트됨",
- "series": "시리즈",
- "all": "모두",
- "one": "1회",
- "available_sound_modes": "사용 가능한 사운드 모드",
- "available_sources": "사용 가능한 소스",
- "receiver": "리시버",
- "speaker": "스피커",
- "tv": "TV",
- "bluetooth_le": "블루투스 LE",
- "gps": "GPS",
- "router": "라우터",
+ "managed_via_ui": "UI에 의해 관리됨",
"color_mode": "Color Mode",
"brightness_only": "밝기 전용",
"hs": "HS",
@@ -2086,14 +2256,34 @@
"minimum_color_temperature_kelvin": "최소 색온도 (켈빈)",
"minimum_color_temperature_mireds": "최소 색 온도 (미레드)",
"available_color_modes": "사용 가능한 색상 모드",
- "available_tones": "사용 가능한 톤",
"docked": "도킹됨",
"mowing": "잔디 깎는 중",
+ "paused": "일시 정지",
"returning": "Returning",
- "speed_step": "속도 단계",
- "available_preset_modes": "사용 가능한 프리셋 모드",
- "clear_night": "맑은 밤",
- "cloudy": "흐림",
+ "pattern": "패턴",
+ "running_automations": "실행 중인 자동화",
+ "max_running_scripts": "최대 실행 스크립트",
+ "run_mode": "실행 모드",
+ "parallel": "병렬",
+ "queued": "대기열",
+ "single": "단일",
+ "auto_update": "자동 업데이트",
+ "installed_version": "설치된 버전",
+ "release_summary": "릴리스 요약",
+ "release_url": "릴리스 URL",
+ "skipped_version": "건너뛴 버전",
+ "firmware": "펌웨어",
+ "speed_step": "속도 단계",
+ "available_preset_modes": "사용 가능한 프리셋 모드",
+ "minute": "분",
+ "second": "초",
+ "next_event": "다음 이벤트",
+ "step": "단계",
+ "bluetooth_le": "블루투스 LE",
+ "gps": "GPS",
+ "router": "라우터",
+ "clear_night": "맑은 밤",
+ "cloudy": "흐림",
"exceptional": "이상기후",
"fog": "안개",
"hail": "우박",
@@ -2113,25 +2303,9 @@
"uv_index": "자외선 지수",
"wind_bearing": "풍향",
"wind_gust_speed": "돌풍 속도",
- "auto_update": "자동 업데이트",
- "in_progress": "진행 중",
- "installed_version": "설치된 버전",
- "release_summary": "릴리스 요약",
- "release_url": "릴리스 URL",
- "skipped_version": "건너뛴 버전",
- "firmware": "펌웨어",
- "armed_away": "외출 경보 설정됨",
- "armed_custom_bypass": "사용자 우회 경보 설정됨",
- "armed_home": "재실 경보 설정됨",
- "armed_night": "야간 경보 설정됨",
- "armed_vacation": "휴가 경보 설정됨",
- "disarming": "경보 해제중",
- "triggered": "트리거됨",
- "changed_by": "~에 의해 변경됨",
- "code_for_arming": "경보 설정을 위한 코드",
- "not_required": "필수 요소 아님",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "청소 중",
+ "returning_to_dock": "충전대로 복귀 중",
"recording": "녹화 중",
"streaming": "스트리밍 중",
"access_token": "액세스 토큰",
@@ -2140,91 +2314,132 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "모델명",
+ "last_scanned_by_device_id_name": "최근 검색 된 디바이스 ID",
+ "tag_id": "태그 ID",
+ "box": "상자",
+ "jammed": "걸림",
+ "locked": "잠금",
+ "changed_by": "~에 의해 변경됨",
+ "code_format": "Code format",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "최대 실행 자동화",
+ "cool": "냉방",
+ "heat_cool": "냉난방",
+ "aux_heat": "보조 열",
+ "current_humidity": "현재 습도",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "팬 모드",
+ "diffuse": "발산",
+ "middle": "중간",
+ "top": "위",
+ "current_action": "현재 동작",
+ "cooling": "냉방 중",
+ "defrosting": "Defrosting",
+ "drying": "제습 중",
+ "heating": "난방 중",
+ "preheating": "예열",
+ "max_target_humidity": "상한 희망 습도",
+ "max_target_temperature": "상한 희망 온도",
+ "min_target_humidity": "하한 희망 습도",
+ "min_target_temperature": "하한 희망 온도",
+ "boost": "쾌속",
+ "comfort": "쾌적",
+ "eco": "절약",
+ "sleep": "취침",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "both": "둘 다",
+ "horizontal": "수평",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "희망 온도 단계",
+ "stopped": "Stopped",
+ "garage": "차고",
+ "not_charging": "충전 중 아님",
+ "disconnected": "연결 해제됨",
+ "connected": "연결됨",
+ "hot": "고온",
+ "light_detected": "빛이 감지됨",
+ "not_moving": "움직이지 않음",
+ "unplugged": "플러그가 뽑힘",
+ "not_running": "작동 중 아님",
+ "unsafe": "위험",
+ "tampering_detected": "변조 감지됨",
+ "buffering": "버퍼링 중",
+ "playing": "재생 중",
+ "standby": "대기 중",
+ "app_id": "앱 ID",
+ "local_accessible_entity_picture": "로컬 액세스 가능 구성요소 사진",
+ "group_members": "그룹 구성원",
+ "muted": "음소거됨",
+ "album_artist": "앨범 아티스트",
+ "content_id": "콘텐츠 ID",
+ "content_type": "콘텐츠 유형",
+ "position_updated": "위치 업데이트됨",
+ "series": "시리즈",
+ "all": "모두",
+ "one": "1회",
+ "available_sound_modes": "사용 가능한 사운드 모드",
+ "available_sources": "사용 가능한 소스",
+ "receiver": "리시버",
+ "speaker": "스피커",
+ "tv": "TV",
"end_time": "종료 시간",
"start_time": "시작 시간",
- "next_event": "다음 이벤트",
- "garage": "차고",
"event_type": "이벤트 유형",
"doorbell": "초인종",
- "running_automations": "실행 중인 자동화",
- "id": "ID",
- "max_running_automations": "최대 실행 자동화",
- "parallel": "병렬",
- "queued": "대기열",
- "single": "단일",
- "cleaning": "청소 중",
- "returning_to_dock": "충전대로 복귀 중",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "최대 실행 스크립트",
- "jammed": "걸림",
- "known_hosts": "알려진 호스트",
- "google_cast_configuration": "Google Cast 구성",
- "confirm_description": "{name}을(를) 설정하시겠습니까?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "계정이 이미 구성되었습니다",
- "abort_already_in_progress": "구성 흐름이 이미 진행 중입니다.",
- "failed_to_connect": "연결하지 못했습니다",
- "invalid_access_token": "잘못된 액세스 토큰",
- "invalid_authentication": "인증이 잘못되었습니다",
- "received_invalid_token_data": "잘못된 토큰 데이터를 받았습니다.",
- "abort_oauth_failed": "액세스 토큰을 가져오는 중 오류가 발생했습니다.",
- "timeout_resolving_oauth_token": "OAuth 토큰을 확인하는 시간이 초과되었습니다.",
- "abort_oauth_unauthorized": "액세스 토큰을 얻는 동안 OAuth 인증 오류가 발생했습니다.",
- "re_authentication_was_successful": "재인증에 성공했습니다",
- "unexpected_error": "예상치 못한 오류가 발생했습니다",
- "successfully_authenticated": "인증 성공",
- "link_fitbit": "Fitbit 연결",
- "pick_authentication_method": "인증 방법 선택하기",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "수평선 위",
+ "below_horizon": "수평선 아래",
+ "armed_away": "외출 경보 설정됨",
+ "armed_custom_bypass": "사용자 우회 경보 설정됨",
+ "armed_home": "재실 경보 설정됨",
+ "armed_night": "야간 경보 설정됨",
+ "armed_vacation": "휴가 경보 설정됨",
+ "disarming": "경보 해제중",
+ "triggered": "트리거됨",
+ "code_for_arming": "경보 설정을 위한 코드",
+ "not_required": "필수 요소 아님",
+ "finishes_at": "~에 종료",
+ "restore": "복원",
"device_is_already_configured": "기기가 이미 구성되었습니다",
+ "failed_to_connect": "연결하지 못했습니다",
"abort_no_devices_found": "네트워크에서 기기를 찾을 수 없습니다",
+ "re_authentication_was_successful": "재인증에 성공했습니다",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "연결 오류입니다: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
"camera_stream_authentication_failed": "Camera stream authentication failed",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "Enable camera live view",
- "username": "사용자 이름",
+ "username": "Username",
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "이미 구성되었습니다. 하나의 인스턴스만 구성할 수 있습니다.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "설정을 시작하시겠습니까?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "SwitchBot API와 통신하는 중 오류가 발생했습니다: {error_detail}",
+ "unsupported_switchbot_type": "지원되지 않는 Switchbot 유형입니다.",
+ "unexpected_error": "예상치 못한 오류가 발생했습니다",
+ "authentication_failed_error_detail": "인증 실패: {error_detail}",
+ "error_encryption_key_invalid": "키 ID 또는 암호화 키가 잘못되었습니다.",
+ "name_address": "{name} ({address})",
+ "confirm_description": "{name}을(를) 설정하시겠습니까?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "암호화 키",
+ "key_id": "Key ID",
+ "password_description": "백업을 보호하기 위한 암호",
+ "mac_address": "MAC 주소",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "캘린더 이름",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "기기 구성이 이미 진행 중입니다",
"abort_invalid_host": "호스트 이름 또는 IP 주소가 잘못되었습니다",
"device_not_supported": "기기가 지원되지 않습니다",
+ "invalid_authentication": "인증이 잘못되었습니다",
"name_model_at_host": "{name} ({host}의 {model})",
"authenticate_to_the_device": "기기에 인증하기",
"finish_title": "기기에 대한 이름 선택하기",
@@ -2232,22 +2447,143 @@
"yes_do_it": "예, 잠금 해제하겠습니다.",
"unlock_the_device_optional": "기기 잠금 해제하기 (선택 사항)",
"connect_to_the_device": "기기에 연결하기",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "연결 설정 시간 초과",
- "link_google_account": "Google 계정 연결",
- "path_is_not_allowed": "경로가 허용되지 않습니다.",
- "path_is_not_valid": "경로가 잘못되었습니다.",
- "path_to_file": "파일 경로",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "계정이 이미 구성되었습니다",
+ "invalid_access_token": "액세스 토큰이 잘못되었습니다",
+ "received_invalid_token_data": "잘못된 토큰 데이터를 받았습니다.",
+ "abort_oauth_failed": "액세스 토큰을 가져오는 중 오류가 발생했습니다.",
+ "timeout_resolving_oauth_token": "OAuth 토큰을 확인하는 시간이 초과되었습니다.",
+ "abort_oauth_unauthorized": "액세스 토큰을 얻는 동안 OAuth 인증 오류가 발생했습니다.",
+ "successfully_authenticated": "성공적으로 인증되었습니다",
+ "link_fitbit": "Fitbit 연결",
+ "pick_authentication_method": "인증 방법 선택하기",
+ "two_factor_code": "2단계 인증 코드",
+ "two_factor_authentication": "2단계 인증",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Ring 계정으로 로그인하기",
+ "abort_alternative_integration": "기기가 다른 통합구성요소에서 더 잘 지원됩니다.",
+ "abort_incomplete_config": "구성에 필수 변수가 없습니다.",
+ "manual_description": "장치 설명 XML 파일의 URL",
+ "manual_title": "DLNA DMR 장치 수동 연결",
+ "discovered_dlna_dmr_devices": "DLNA DMR 기기 발견",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
+ "abort_addon_info_failed": "Failed get info for the {addon} add-on.",
+ "abort_addon_install_failed": "Failed to install the {addon} add-on.",
+ "abort_addon_start_failed": "Failed to start the {addon} add-on.",
+ "invalid_birth_topic": "Birth 토픽이 잘못되었습니다.",
+ "error_bad_certificate": "CA 인증서가 유효하지 않습니다.",
+ "invalid_discovery_prefix": "잘못된 검색 접두사",
+ "invalid_will_topic": "잘못된 Will 토픽",
+ "broker": "브로커",
+ "data_certificate": "사용자 지정 CA 인증서 파일 업로드",
+ "upload_client_certificate_file": "클라이언트 인증서 파일 업로드",
+ "upload_private_key_file": "개인 키 파일 업로드",
+ "data_keepalive": "연결 유지 메시지 전송 사이의 시간",
+ "port": "포트",
+ "mqtt_protocol": "MQTT 프로토콜",
+ "broker_certificate_validation": "브로커 인증서 검증",
+ "use_a_client_certificate": "클라이언트 인증서 사용",
+ "ignore_broker_certificate_validation": "브로커 인증서 유효성 검사 무시",
+ "mqtt_transport": "MQTT 전송",
+ "data_ws_headers": "JSON 형식의 WebSocket 헤더",
+ "websocket_path": "WebSocket 경로",
+ "hassio_confirm_title": "Home Assistant 애드온의 deCONZ Zigbee 게이트웨이",
+ "installing_add_on": "Installing add-on",
+ "reauth_confirm_title": "Re-authentication required with the MQTT broker",
+ "starting_add_on": "Starting add-on",
+ "menu_options_addon": "Use the official {addon} add-on.",
+ "menu_options_broker": "Manually enter the MQTT broker connection details",
"api_key": "API 키",
"configure_daikin_ac": "다이킨 에어컨 구성하기",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "어댑터",
+ "cannot_connect_details_error_detail": "연결할 수 없습니다. 세부 정보: {error_detail}",
+ "unknown_details_error_detail": "알 수 없음. 세부정보: {error_detail}",
+ "uses_an_ssl_certificate": "SSL 인증서 사용",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "어댑터",
"multiple_adapters_description": "설정할 Bluetooth 어댑터를 선택하십시오.",
+ "api_error_occurred": "API 오류 발생",
+ "hostname_ip_address": "{hostname} ({ip_address})",
+ "enable_https": "HTTPS 활성화",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
+ "meteorologisk_institutt": "노르웨이 기상 연구소 (Meteorologisk institutt)",
+ "timeout_establishing_connection": "연결 설정 시간 초과",
+ "link_google_account": "Google 계정 연결",
+ "path_is_not_allowed": "경로가 허용되지 않습니다.",
+ "path_is_not_valid": "경로가 잘못되었습니다.",
+ "path_to_file": "파일 경로",
+ "pin_code": "핀 코드",
+ "discovered_android_tv": "발견한 Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "all_entities": "모든 구성요소",
+ "hide_members": "구성원 숨기기",
+ "create_group": "Create Group",
+ "device_class": "Device Class",
+ "ignore_non_numeric": "숫자가 아닌 항목 무시",
+ "data_round_digits": "소수점 이하 반올림",
+ "type": "유형",
+ "binary_sensor_group": "바이너리 센서 그룹",
+ "button_group": "Button group",
+ "cover_group": "커버 그룹",
+ "event_group": "이벤트 그룹",
+ "lock_group": "잠금장치 그룹",
+ "media_player_group": "미디어 플레이어 그룹",
+ "notify_group": "알림 그룹",
+ "sensor_group": "센서 그룹",
+ "switch_group": "스위치 그룹",
+ "known_hosts": "알려진 호스트",
+ "google_cast_configuration": "Google Cast 구성",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "MDNS 속성에 MAC 주소가 없습니다.",
+ "abort_mqtt_missing_api": "MQTT 속성에 API 포트가 누락되었습니다.",
+ "abort_mqtt_missing_ip": "MQTT 속성에 IP 주소가 누락되었습니다.",
+ "abort_mqtt_missing_mac": "MQTT 속성에 MAC 주소가 누락되었습니다.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "발견된 ESPHome node",
+ "bridge_is_already_configured": "브리지가 이미 구성되었습니다",
+ "no_deconz_bridges_discovered": "발견된 deCONZ 브리지가 없습니다",
+ "abort_no_hardware_available": "deCONZ에 연결된 무선 하드웨어가 없습니다",
+ "abort_updated_instance": "deCONZ 인스턴스를 새로운 호스트 주소로 업데이트했습니다",
+ "error_linking_not_possible": "게이트웨이와 연결할 수 없습니다.",
+ "error_no_key": "API 키를 가져올 수 없습니다",
+ "link_with_deconz": "deCONZ 연결하기",
+ "select_discovered_deconz_gateway": "발견된 deCONZ 게이트웨이 선택",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "엔드포인트용 포트 없음",
+ "abort_no_services": "엔드포인트에서 서비스를 찾을 수 없습니다.",
+ "discovered_wyoming_service": "Wyoming 서비스 발견",
+ "ipv_is_not_supported": "IPv6은 지원되지 않습니다.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
"arm_away_action": "Arm away action",
"arm_custom_bypass_action": "Arm custom bypass action",
"arm_home_action": "Arm home action",
@@ -2258,12 +2594,10 @@
"trigger_action": "Trigger action",
"value_template": "Value template",
"template_alarm_control_panel": "Template alarm control panel",
- "device_class": "기기 클래스",
"state_template": "상태 템플릿",
"template_binary_sensor": "템플릿 바이너리 센서",
"actions_on_press": "Actions on press",
"template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
"template_image": "Template image",
"actions_on_set_value": "설정된 값에 동작할 것들",
"step_value": "수치 상승 단계 값",
@@ -2283,115 +2617,129 @@
"template_a_sensor": "센서 템플릿",
"template_a_switch": "Template a switch",
"template_helper": "템플릿 도우미",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
- "abort_addon_info_failed": "Failed get info for the {addon} add-on.",
- "abort_addon_install_failed": "Failed to install the {addon} add-on.",
- "abort_addon_start_failed": "Failed to start the {addon} add-on.",
- "invalid_birth_topic": "Birth 토픽이 잘못되었습니다.",
- "error_bad_certificate": "CA 인증서가 유효하지 않습니다.",
- "invalid_discovery_prefix": "잘못된 검색 접두사",
- "invalid_will_topic": "잘못된 Will 토픽",
- "broker": "브로커",
- "data_certificate": "사용자 지정 CA 인증서 파일 업로드",
- "upload_client_certificate_file": "클라이언트 인증서 파일 업로드",
- "upload_private_key_file": "개인 키 파일 업로드",
- "data_keepalive": "연결 유지 메시지 전송 사이의 시간",
- "port": "포트",
- "mqtt_protocol": "MQTT 프로토콜",
- "broker_certificate_validation": "브로커 인증서 검증",
- "use_a_client_certificate": "클라이언트 인증서 사용",
- "ignore_broker_certificate_validation": "브로커 인증서 유효성 검사 무시",
- "mqtt_transport": "MQTT 전송",
- "data_ws_headers": "JSON 형식의 WebSocket 헤더",
- "websocket_path": "WebSocket 경로",
- "hassio_confirm_title": "Home Assistant 애드온의 deCONZ Zigbee 게이트웨이",
- "installing_add_on": "Installing add-on",
- "reauth_confirm_title": "Re-authentication required with the MQTT broker",
- "starting_add_on": "Starting add-on",
- "menu_options_addon": "Use the official {addon} add-on.",
- "menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "브리지가 이미 구성되었습니다",
- "no_deconz_bridges_discovered": "발견된 deCONZ 브리지가 없습니다",
- "abort_no_hardware_available": "deCONZ에 연결된 무선 하드웨어가 없습니다",
- "abort_updated_instance": "deCONZ 인스턴스를 새로운 호스트 주소로 업데이트했습니다",
- "error_linking_not_possible": "게이트웨이와 연결할 수 없습니다.",
- "error_no_key": "API 키를 가져올 수 없습니다",
- "link_with_deconz": "deCONZ 연결하기",
- "select_discovered_deconz_gateway": "발견된 deCONZ 게이트웨이 선택",
- "error_already_in_progress": "기기 구성이 이미 진행 중입니다",
- "pin_code": "핀 코드",
- "discovered_android_tv": "발견한 Android TV",
- "abort_mdns_missing_mac": "MDNS 속성에 MAC 주소가 없습니다.",
- "abort_mqtt_missing_api": "MQTT 속성에 API 포트가 누락되었습니다.",
- "abort_mqtt_missing_ip": "MQTT 속성에 IP 주소가 누락되었습니다.",
- "abort_mqtt_missing_mac": "MQTT 속성에 MAC 주소가 누락되었습니다.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "발견된 ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "엔드포인트용 포트 없음",
- "abort_no_services": "엔드포인트에서 서비스를 찾을 수 없습니다.",
- "discovered_wyoming_service": "Wyoming 서비스 발견",
- "abort_alternative_integration": "기기가 다른 통합구성요소에서 더 잘 지원됩니다.",
- "abort_incomplete_config": "구성에 필수 변수가 없습니다.",
- "manual_description": "장치 설명 XML 파일의 URL",
- "manual_title": "DLNA DMR 장치 수동 연결",
- "discovered_dlna_dmr_devices": "DLNA DMR 기기 발견",
- "api_error_occurred": "API 오류 발생",
- "hostname_ip_address": "{hostname} ({ip_address})",
- "enable_https": "HTTPS 활성화",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
- "meteorologisk_institutt": "노르웨이 기상 연구소 (Meteorologisk institutt)",
- "ipv_is_not_supported": "IPv6은 지원되지 않습니다.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "2단계 인증 코드",
- "two_factor_authentication": "2단계 인증",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Ring 계정으로 로그인하기",
- "all_entities": "모든 구성요소",
- "hide_members": "구성원 숨기기",
- "create_group": "Create Group",
- "ignore_non_numeric": "숫자가 아닌 항목 무시",
- "data_round_digits": "소수점 이하 반올림",
- "type": "유형",
- "binary_sensor_group": "바이너리 센서 그룹",
- "button_group": "Button group",
- "cover_group": "커버 그룹",
- "event_group": "이벤트 그룹",
- "fan_group": "팬 그룹",
- "light_group": "조명 그룹",
- "lock_group": "잠금장치 그룹",
- "media_player_group": "미디어 플레이어 그룹",
- "notify_group": "알림 그룹",
- "sensor_group": "센서 그룹",
- "switch_group": "스위치 그룹",
- "abort_api_error": "SwitchBot API와 통신하는 중 오류가 발생했습니다: {error_detail}",
- "unsupported_switchbot_type": "지원되지 않는 Switchbot 유형입니다.",
- "authentication_failed_error_detail": "인증 실패: {error_detail}",
- "error_encryption_key_invalid": "키 ID 또는 암호화 키가 잘못되었습니다.",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "백업을 보호하기 위한 암호",
- "device_address": "장치 주소",
- "cannot_connect_details_error_detail": "연결할 수 없습니다. 세부 정보: {error_detail}",
- "unknown_details_error_detail": "알 수 없음. 세부정보: {error_detail}",
- "uses_an_ssl_certificate": "SSL 인증서 사용",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "이 기기는 zha 기기가 아닙니다.",
+ "abort_usb_probe_failed": "USB 기기를 검색하지 못했습니다.",
+ "invalid_backup_json": "잘못된 백업 JSON",
+ "choose_an_automatic_backup": "자동 백업 선택",
+ "restore_automatic_backup": "자동 백업 복원",
+ "choose_formation_strategy_description": "라디오의 네트워크 설정을 선택합니다.",
+ "create_a_network": "네트워크 생성",
+ "keep_radio_network_settings": "무선 네트워크 설정 유지",
+ "upload_a_manual_backup": "수동 백업 업로드",
+ "network_formation": "네트워크 형성",
+ "serial_device_path": "시리얼 기기 경로",
+ "select_a_serial_port": "시리얼 포트 선택",
+ "radio_type": "라디오 유형",
+ "manual_pick_radio_type_description": "Zigbee 라디오 유형 선택",
+ "port_speed": "포트 속도",
+ "data_flow_control": "데이터 흐름 제어",
+ "manual_port_config_description": "시리얼 포트 설정을 입력하십시오",
+ "serial_port_settings": "시리얼 포트 설정",
+ "data_overwrite_coordinator_ieee": "무선 IEEE 주소를 영구적으로 교체합니다.",
+ "overwrite_radio_ieee_address": "라디오 IEEE 주소 덮어쓰기",
+ "upload_a_file": "파일 업로드",
+ "radio_is_not_recommended": "라디오는 권장하지 않습니다.",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "캘린더 이름",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "경보 설정에 필요한 코드",
+ "zha_alarm_options_alarm_master_code": "경보 제어판의 마스터 코드",
+ "alarm_control_panel_options": "경보 제어판 옵션",
+ "zha_options_consider_unavailable_battery": "배터리로 구동되는 기기를 사용할 수 없는 것으로 간주 (초)",
+ "zha_options_consider_unavailable_mains": "주 전원 기기를 사용할 수 없는 것으로 간주 (초)",
+ "zha_options_default_light_transition": "조명 전환 시간 기본 값(초)",
+ "zha_options_group_members_assume_state": "그룹 구성원은 그룹의 상태를 가정합니다.",
+ "zha_options_light_transitioning_flag": "조명 전환 중 향상된 밝기 슬라이더 활성화",
+ "global_options": "전역 옵션",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "재시도 횟수",
+ "data_process": "센서로 추가할 프로세스",
+ "invalid_url": "잘못된 URL",
+ "data_browse_unfiltered": "호환되지 않는 미디어 표시",
+ "event_listener_callback_url": "이벤트 리스너 콜백 URL",
+ "data_listen_port": "이벤트 리스너 포트(설정되지 않은 경우 임의)",
+ "poll_for_device_availability": "기기 가용성에 대한 폴링",
+ "init_title": "DLNA Digital Media Renderer 구성",
+ "broker_options": "브로커 옵션",
+ "enable_birth_message": "Birth 메시지 활성화하기",
+ "birth_message_payload": "Birth 메시지 페이로드",
+ "birth_message_qos": "Birth 메시지 QoS",
+ "birth_message_retain": "Birth 메시지 리테인",
+ "birth_message_topic": "Birth 메시지 토픽",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "검색 접두사",
+ "enable_will_message": "Will 메시지 활성화하기",
+ "will_message_payload": "Will 메시지 페이로드",
+ "will_message_qos": "Will 메시지 QoS",
+ "will_message_retain": "Will 메시지 리테인",
+ "will_message_topic": "Will 메시지 토픽",
+ "data_description_discovery": "MQTT 자동 검색을 활성화하는 옵션",
+ "mqtt_options": "MQTT 옵션",
+ "passive_scanning": "수동 스캔",
+ "protocol": "프로토콜",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "언어 코드",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "data_app_delete": "Check to delete this application",
+ "application_icon": "Application icon",
+ "application_id": "Application ID",
+ "application_name": "Application name",
+ "configure_application_id_app_id": "Configure application ID {app_id}",
+ "configure_android_apps": "Configure Android apps",
+ "configure_applications_list": "Configure applications list",
"ignore_cec": "CEC 무시",
"allowed_uuids": "허용된 UUID",
"advanced_google_cast_configuration": "고급 Google Cast 구성",
+ "allow_deconz_clip_sensors": "deCONZ CLIP 센서 허용",
+ "allow_deconz_light_groups": "deCONZ 라이트 그룹 허용",
+ "data_allow_new_devices": "새로운 기기의 자동 추가 허용하기",
+ "deconz_devices_description": "deCONZ 기기 유형의 표시 여부 구성",
+ "deconz_options": "deCONZ 옵션",
+ "select_test_server": "테스트 서버 선택",
+ "data_calendar_access": "Google 캘린더에 대한 Home Assistant 액세스",
+ "bluetooth_scanner_mode": "블루투스 검색 모드",
"device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
"not_supported": "Not Supported",
"localtuya_configuration": "LocalTuya Configuration",
@@ -2408,10 +2756,9 @@
"data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
"data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
"data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
"configure_tuya_device": "Configure Tuya device",
"configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "기기 ID",
+ "device_id": "Device ID",
"local_key": "Local key",
"protocol_version": "Protocol Version",
"data_entities": "Entities (uncheck an entity to remove it)",
@@ -2480,93 +2827,13 @@
"enable_heuristic_action_optional": "Enable heuristic action (optional)",
"data_dps_default_value": "Default value when un-initialised (optional)",
"minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Google 캘린더에 대한 Home Assistant 액세스",
- "data_process": "센서로 추가할 프로세스",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "수동 스캔",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "브로커 옵션",
- "enable_birth_message": "Birth 메시지 활성화하기",
- "birth_message_payload": "Birth 메시지 페이로드",
- "birth_message_qos": "Birth 메시지 QoS",
- "birth_message_retain": "Birth 메시지 리테인",
- "birth_message_topic": "Birth 메시지 토픽",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "검색 접두사",
- "enable_will_message": "Will 메시지 활성화하기",
- "will_message_payload": "Will 메시지 페이로드",
- "will_message_qos": "Will 메시지 QoS",
- "will_message_retain": "Will 메시지 리테인",
- "will_message_topic": "Will 메시지 토픽",
- "data_description_discovery": "MQTT 자동 검색을 활성화하는 옵션",
- "mqtt_options": "MQTT 옵션",
"data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
"data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "deCONZ CLIP 센서 허용",
- "allow_deconz_light_groups": "deCONZ 라이트 그룹 허용",
- "data_allow_new_devices": "새로운 기기의 자동 추가 허용하기",
- "deconz_devices_description": "deCONZ 기기 유형의 표시 여부 구성",
- "deconz_options": "deCONZ 옵션",
- "data_app_delete": "Check to delete this application",
- "application_icon": "Application icon",
- "application_id": "Application ID",
- "application_name": "Application name",
- "configure_application_id_app_id": "Configure application ID {app_id}",
- "configure_android_apps": "Configure Android apps",
- "configure_applications_list": "Configure applications list",
- "invalid_url": "잘못된 URL",
- "data_browse_unfiltered": "호환되지 않는 미디어 표시",
- "event_listener_callback_url": "이벤트 리스너 콜백 URL",
- "data_listen_port": "이벤트 리스너 포트(설정되지 않은 경우 임의)",
- "poll_for_device_availability": "기기 가용성에 대한 폴링",
- "init_title": "DLNA Digital Media Renderer 구성",
- "protocol": "프로토콜",
- "language_code": "언어 코드",
- "bluetooth_scanner_mode": "블루투스 검색 모드",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "재시도 횟수",
- "select_test_server": "테스트 서버 선택",
- "toggle_entity_name": "{entity_name} 토글",
- "turn_off_entity_name": "{entity_name} 끄기",
- "turn_on_entity_name": "{entity_name} 켜기",
- "entity_name_is_off": "{entity_name} 꺼져 있으면",
- "entity_name_is_on": "{entity_name} 켜져 있으면",
- "trigger_type_changed_states": "{entity_name}: 켜졌거나 꺼졌을 때",
- "entity_name_turned_off": "{entity_name}: 꺼졌을 때",
- "entity_name_turned_on": "{entity_name}: 켜졌을 때",
+ "reconfigure_zha": "ZHA 재구성",
+ "unplug_your_old_radio": "기존 라디오의 플러그를 뽑으세요.",
+ "intent_migrate_title": "새 라디오로 마이그레이션",
+ "re_configure_the_current_radio": "현재 라디오 재구성",
+ "migrate_or_re_configure": "마이그레이션 또는 재구성",
"current_entity_name_apparent_power": "현재 {entity_name}의 피상 전력이 ~ 이면",
"condition_type_is_aqi": "현재 {entity_name}의 공기질 지수가 ~ 이면",
"current_entity_name_area": "Current {entity_name} area",
@@ -2660,14 +2927,79 @@
"entity_name_water_changes": "{entity_name}의 물이 변할 때",
"entity_name_weight_changes": "{entity_name}의 중량이 변할 때",
"entity_name_wind_speed_changes": "{entity_name}의 풍속이 변할 때",
+ "decrease_entity_name_brightness": "{entity_name}을(를) 어둡게 하기",
+ "increase_entity_name_brightness": "{entity_name}을(를) 밝게 하기",
+ "flash_entity_name": "{entity_name}을(를) 깜빡이기",
+ "toggle_entity_name": "{entity_name} 토글",
+ "turn_off_entity_name": "{entity_name} 끄기",
+ "turn_on_entity_name": "{entity_name} 켜기",
+ "entity_name_is_off": "{entity_name} 꺼져 있으면",
+ "entity_name_is_on": "{entity_name} 켜져 있으면",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name}: 켜졌거나 꺼졌을 때",
+ "entity_name_turned_off": "{entity_name}: 꺼졌을 때",
+ "entity_name_turned_on": "{entity_name}: 켜졌을 때",
+ "set_value_for_entity_name": "{entity_name}의 값 설정하기",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} 업데이트 가용성이 변경될 때",
+ "entity_name_became_up_to_date": "{entity_name}: 최신 상태가 되었을 때",
+ "trigger_type_turned_on": "{entity_name}에 사용 가능한 업데이트가 있을 때",
+ "first": "첫 번째",
+ "second_button": "두 번째",
+ "third_button": "세 번째",
+ "fourth_button": "네 번째",
+ "fifth_button": "다섯 번째",
+ "sixth_button": "여섯 번째",
+ "subtype_double_clicked": "\"{subtype}\" 두 번 눌렸을 때",
+ "subtype_continuously_pressed": "\"{subtype}\" 계속 눌렸을 때",
+ "trigger_type_button_long_release": "\"{subtype}\" 길게 눌렸다가 떼였을 때",
+ "subtype_quadruple_clicked": "\"{subtype}\" 네 번 눌렸을 때",
+ "subtype_quintuple_clicked": "\"{subtype}\" 다섯 번 눌렸을 때",
+ "subtype_pressed": "\"{subtype}\" 눌렸을 때",
+ "subtype_released": "\"{subtype}\"에서 손을 떼었을 때",
+ "subtype_triple_clicked": "\"{subtype}\" 세 번 눌렸을 때",
+ "entity_name_is_home": "{entity_name}: 집에 있으면",
+ "entity_name_is_not_home": "{entity_name}: 외출 중이면",
+ "entity_name_enters_a_zone": "{entity_name}: 지역에 들어갈 때",
+ "entity_name_leaves_a_zone": "{entity_name}: 지역에서 나올 때",
+ "press_entity_name_button": "{entity_name} 버튼 누르기",
+ "entity_name_has_been_pressed": "{entity_name} 눌렸습니다",
+ "let_entity_name_clean": "{entity_name}을(를) 청소시키기",
+ "action_type_dock": "{entity_name}을(를) 충전대로 복귀시키기",
+ "entity_name_is_cleaning": "{entity_name}: 청소 중이면",
+ "entity_name_is_docked": "{entity_name}: 도킹되어 있으면",
+ "entity_name_started_cleaning": "{entity_name}: 청소하기 시작했을 때",
+ "entity_name_docked": "{entity_name}: 도킹했을 때",
+ "send_a_notification": "알림 보내기",
+ "lock_entity_name": "{entity_name}을(를) 잠그기",
+ "open_entity_name": "{entity_name}을(를) 열기",
+ "unlock_entity_name": "{entity_name}을(를) 잠금 해제하기",
+ "entity_name_is_locked": "{entity_name}: 잠겨있으면",
+ "entity_name_is_open": "{entity_name}: 열려 있으면",
+ "entity_name_is_unlocked": "{entity_name}: 잠겨있지 않으면",
+ "entity_name_locked": "{entity_name}: 잠겼을 때",
+ "entity_name_opened": "{entity_name}: 열렸을 때",
+ "entity_name_unlocked": "{entity_name}의 잠금이 해제되었을 때",
"action_type_set_hvac_mode": "{entity_name}의 HVAC 모드 변경하기",
"change_preset_on_entity_name": "{entity_name}의 프리셋 변경하기",
"to": "To",
"entity_name_measured_humidity_changed": "{entity_name}: 습도 변화를 감지했을 때",
"entity_name_measured_temperature_changed": "{entity_name}: 온도 변화를 감지했을 때",
"entity_name_hvac_mode_changed": "{entity_name}의 HVAC 모드가 변경되었을 때",
- "set_value_for_entity_name": "{entity_name}의 값 설정하기",
- "value": "값",
+ "close_entity_name": "{entity_name}을(를) 닫기",
+ "set_entity_name_position": "{entity_name}의 개폐 위치 설정하기",
+ "set_entity_name_tilt_position": "{entity_name}의 개폐 기울기 설정하기",
+ "stop_entity_name": "{entity_name}을(를) 정지하기",
+ "entity_name_is_closed": "{entity_name}: 닫혀 있으면",
+ "entity_name_is_closing": "{entity_name}: 닫히는 중이면",
+ "entity_name_is_opening": "{entity_name}: 열리는 중이면",
+ "current_entity_name_position_is": "현재 {entity_name}의 개폐 위치가 ~ 이면",
+ "condition_type_is_tilt_position": "현재 {entity_name}의 개폐 기울기가 ~ 이면",
+ "entity_name_closed": "{entity_name}: 닫혔을 때",
+ "entity_name_closing": "{entity_name}: 닫히는 중일 때",
+ "entity_name_opening": "{entity_name}: 열리는 중일 때",
+ "entity_name_position_changes": "{entity_name}의 개폐 위치가 변할 때",
+ "entity_name_tilt_position_changes": "{entity_name}의 개폐 기울기가 변할 때",
"entity_name_battery_is_low": "{entity_name}의 배터리 잔량이 부족하면",
"entity_name_is_charging": "{entity_name}: 충전 중이면",
"condition_type_is_co": "{entity_name}: 일산화탄소를 감지하고 있으면",
@@ -2676,7 +3008,6 @@
"entity_name_is_detecting_gas": "{entity_name}: 가스를 감지하고 있으면",
"entity_name_is_hot": "{entity_name}의 온도가 높으면",
"entity_name_is_detecting_light": "{entity_name}: 빛을 감지하고 있으면",
- "entity_name_is_locked": "{entity_name}: 잠겨있으면",
"entity_name_is_moist": "{entity_name}: 습하면",
"entity_name_is_detecting_motion": "{entity_name}: 움직임을 감지하고 있으면",
"entity_name_is_moving": "{entity_name}: 움직이고 있으면",
@@ -2694,19 +3025,15 @@
"entity_name_is_not_cold": "{entity_name}의 온도가 낮지 않으면",
"entity_name_is_disconnected": "{entity_name}의 연결이 끊어져 있으면",
"entity_name_is_not_hot": "{entity_name}의 온도가 높지 않으면",
- "entity_name_is_unlocked": "{entity_name}: 잠겨있지 않으면",
"entity_name_is_dry": "{entity_name}: 건조하면",
"entity_name_is_not_moving": "{entity_name}: 움직이고 있지 않으면",
"entity_name_is_not_occupied": "{entity_name}: 재실 상태가 아니면",
- "entity_name_is_closed": "{entity_name}: 닫혀 있으면",
"entity_name_is_unplugged": "{entity_name}의 플러그가 뽑혀 있으면",
"entity_name_is_not_powered": "{entity_name}에 전원이 공급되고 있지 않으면",
- "entity_name_is_not_home": "{entity_name}: 외출 중이면",
"entity_name_is_not_running": "{entity_name}: 작동 중이 아닐 때",
"condition_type_is_not_tampered": "{entity_name}: 조작를 감지하고 있지 않으면",
"entity_name_is_safe": "{entity_name}: 안전하면",
"entity_name_is_occupied": "{entity_name}: 재실 상태이면",
- "entity_name_is_open": "{entity_name}: 열려 있으면",
"entity_name_is_plugged_in": "{entity_name}의 플러그가 꼽혀 있으면",
"entity_name_is_powered": "{entity_name}에 전원이 공급되고 있으면",
"entity_name_is_present": "{entity_name}: 재실 중이면",
@@ -2726,7 +3053,6 @@
"entity_name_started_detecting_gas": "{entity_name}: 가스를 감지하기 시작했을 때",
"entity_name_became_hot": "{entity_name}의 온도가 높아졌을 때",
"entity_name_started_detecting_light": "{entity_name}: 빛을 감지하기 시작했을 때",
- "entity_name_locked": "{entity_name}: 잠겼을 때",
"entity_name_became_moist": "{entity_name}: 습해졌을 때",
"entity_name_started_detecting_motion": "{entity_name}: 움직임을 감지하기 시작했을 때",
"entity_name_started_moving": "{entity_name}: 움직이기 시작했을 때",
@@ -2737,18 +3063,15 @@
"entity_name_stopped_detecting_problem": "{entity_name}: 문제를 감지하지 않게 되었을 때",
"entity_name_stopped_detecting_smoke": "{entity_name}: 연기를 감지하지 않게 되었을 때",
"entity_name_stopped_detecting_sound": "{entity_name}: 소리를 감지하지 않게 되었을 때",
- "entity_name_became_up_to_date": "{entity_name}: 최신 상태가 되었을 때",
"entity_name_stopped_detecting_vibration": "{entity_name}: 진동을 감지하지 않게 되었을 때",
"entity_name_battery_normal": "{entity_name}의 배터리가 정상이 되었을 때",
"entity_name_not_charging": "충전 중이 아닌 {entity_name}이면",
"entity_name_became_not_cold": "{entity_name}의 온도가 낮지 않게 되었을 때",
"entity_name_disconnected": "{entity_name}의 연결이 끊어졌을 때",
"entity_name_became_not_hot": "{entity_name}의 온도가 높지 않게 되었을 때",
- "entity_name_unlocked": "{entity_name}: 잠금이 해제되었을 때",
"entity_name_became_dry": "{entity_name}: 건조해졌을 때",
"entity_name_stopped_moving": "{entity_name}: 움직이지 않게 되었을 때",
"entity_name_became_not_occupied": "{entity_name}: 재실 상태가 아니게 되었을 때",
- "entity_name_closed": "{entity_name}: 닫혔을 때",
"entity_name_unplugged": "{entity_name}의 플러그가 뽑혔을 때",
"entity_name_not_powered": "{entity_name}에 전원이 공급되지 않게 되었을 때",
"entity_name_not_present": "{entity_name}: 외출 상태가 되었을 때",
@@ -2756,7 +3079,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name}: 조작을 감지하지 않게 되었을 때",
"entity_name_became_safe": "{entity_name}: 안전해졌을 때",
"entity_name_present": "{entity_name}: 재실 상태가 되었을 때",
- "entity_name_opened": "{entity_name}: 열렸을 때",
"entity_name_plugged_in": "{entity_name}의 플러그가 꼽혔을 때",
"entity_name_powered": "{entity_name}에 전원이 공급되었을 때",
"entity_name_started_detecting_problem": "{entity_name}: 문제를 감지하기 시작했을 때",
@@ -2774,35 +3096,6 @@
"entity_name_starts_buffering": "{entity_name}: 버퍼링을 시작할 때",
"entity_name_becomes_idle": "{entity_name}: 대기 상태가 될 때",
"entity_name_starts_playing": "{entity_name}: 재생을 시작할 때",
- "entity_name_is_home": "{entity_name}: 집에 있으면",
- "entity_name_enters_a_zone": "{entity_name}: 지역에 들어갈 때",
- "entity_name_leaves_a_zone": "{entity_name}: 지역에서 나올 때",
- "decrease_entity_name_brightness": "{entity_name}을(를) 어둡게 하기",
- "increase_entity_name_brightness": "{entity_name}을(를) 밝게 하기",
- "flash_entity_name": "{entity_name}을(를) 깜빡이기",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} 업데이트 가용성이 변경될 때",
- "trigger_type_turned_on": "{entity_name}에 사용 가능한 업데이트가 있을 때",
- "arm_entity_name_away": "{entity_name}을(를) 외출 경보모드로 설정하기",
- "arm_entity_name_home": "{entity_name}을(를) 재실 경보모드로 설정하기",
- "arm_entity_name_night": "{entity_name}을(를) 야간 경보모드로 설정하기",
- "arm_entity_name_vacation": "{entity_name}을(를) 휴가 경보모드로 설정하기",
- "disarm_entity_name": "{entity_name}을(를) 경보 해제로 설정하기",
- "trigger_entity_name": "{entity_name}을(를) 트리거하기",
- "entity_name_is_armed_away": "{entity_name}: 외출 경보 설정 상태이면",
- "entity_name_is_armed_home": "{entity_name}: 재실 경보 설정 상태이면",
- "entity_name_is_armed_night": "{entity_name}: 야간 경보 설정 상태이면",
- "entity_name_is_armed_vacation": "{entity_name}: 휴가 경보 설정 상태이면",
- "entity_name_is_disarmed": "{entity_name}: 경보 해제 상태이면",
- "entity_name_is_triggered": "{entity_name}: 트리거 되었으면",
- "entity_name_armed_away": "{entity_name}: 외출 경보모드로 설정되었을 때",
- "entity_name_armed_home": "{entity_name}: 재실 경보모드로 설정되었을 때",
- "entity_name_armed_night": "{entity_name}: 야간 경보모드로 설정되었을 때",
- "entity_name_armed_vacation": "{entity_name}: 휴가 경보모드로 설정되었을 때",
- "entity_name_disarmed": "{entity_name}: 경보 해제되었을 때",
- "entity_name_triggered": "{entity_name}: 트리거되었을 때",
- "press_entity_name_button": "{entity_name} 버튼 누르기",
- "entity_name_has_been_pressed": "{entity_name} 눌렸습니다",
"action_type_select_first": "{entity_name} 첫 번째 옵션으로 변경",
"action_type_select_last": "{entity_name} 마지막 옵션으로 변경",
"action_type_select_next": "{entity_name} 다음 옵션으로 변경",
@@ -2812,33 +3105,6 @@
"cycle": "주기",
"from": "From",
"entity_name_option_changed": "{entity_name} 옵션이 변경됨",
- "close_entity_name": "{entity_name}을(를) 닫기",
- "open_entity_name": "{entity_name}을(를) 열기",
- "set_entity_name_position": "{entity_name}의 개폐 위치 설정하기",
- "set_entity_name_tilt_position": "{entity_name}의 개폐 기울기 설정하기",
- "stop_entity_name": "{entity_name}을(를) 정지하기",
- "entity_name_is_closing": "{entity_name}: 닫히는 중이면",
- "entity_name_is_opening": "{entity_name}: 열리는 중이면",
- "current_entity_name_position_is": "현재 {entity_name}의 개폐 위치가 ~ 이면",
- "condition_type_is_tilt_position": "현재 {entity_name}의 개폐 기울기가 ~ 이면",
- "entity_name_closing": "{entity_name}: 닫히는 중일 때",
- "entity_name_opening": "{entity_name}: 열리는 중일 때",
- "entity_name_position_changes": "{entity_name}의 개폐 위치가 변할 때",
- "entity_name_tilt_position_changes": "{entity_name}의 개폐 기울기가 변할 때",
- "first_button": "첫 번째 버튼",
- "second_button": "두 번째 버튼",
- "third_button": "세 번째 버튼",
- "fourth_button": "네 번째 버튼",
- "fifth_button": "다섯 번째 버튼",
- "sixth_button": "여섯 번째 버튼",
- "subtype_double_clicked": "\"{subtype}\" 두 번 눌렸을 때",
- "subtype_continuously_pressed": "\"{subtype}\" 계속 눌렸을 때",
- "trigger_type_button_long_release": "\"{subtype}\" 길게 눌렸다가 떼였을 때",
- "subtype_quadruple_clicked": "\"{subtype}\" 네 번 눌렸을 때",
- "subtype_quintuple_clicked": "\"{subtype}\" 다섯 번 눌렸을 때",
- "subtype_pressed": "\"{subtype}\" 눌렸을 때",
- "subtype_released": "\"{subtype}\"에서 손을 떼었을 때",
- "subtype_triple_clicked": "{subtype} 세 번 눌렸을 때",
"both_buttons": "두 개",
"bottom_buttons": "하단 버튼",
"seventh_button": "일곱 번째 버튼",
@@ -2863,13 +3129,6 @@
"trigger_type_remote_rotate_from_side": "\"면 6\" 에서 \"{subtype}\"로 기기가 회전되었을 때",
"device_turned_clockwise": "시계 방향으로 기기가 회전되었을 때",
"device_turned_counter_clockwise": "반시계 방향으로 기기가 회전되었을 때",
- "send_a_notification": "알림 보내기",
- "let_entity_name_clean": "{entity_name}을(를) 청소시키기",
- "action_type_dock": "{entity_name}을(를) 충전대로 복귀시키기",
- "entity_name_is_cleaning": "{entity_name}: 청소 중이면",
- "entity_name_is_docked": "{entity_name}: 도킹되어 있으면",
- "entity_name_started_cleaning": "{entity_name}: 청소하기 시작했을 때",
- "entity_name_docked": "{entity_name}: 도킹했을 때",
"subtype_button_down": "{subtype} 버튼을 내렸을 때",
"subtype_button_up": "{subtype} 버튼을 올렸을 때",
"subtype_double_push": "{subtype} 두 번 눌렀을 때",
@@ -2880,28 +3139,54 @@
"trigger_type_single_long": "{subtype} 짧게 눌렸다가 길게 눌렸을 때",
"subtype_single_push": "{subtype} 한 번 눌렀을 때",
"subtype_triple_push": "{subtype} 버튼을 세 번 눌렀을 때",
- "lock_entity_name": "{entity_name}을(를) 잠그기",
- "unlock_entity_name": "{entity_name}을(를) 잠금 해제하기",
+ "arm_entity_name_away": "{entity_name}을(를) 외출 경보모드로 설정하기",
+ "arm_entity_name_home": "{entity_name}을(를) 재실 경보모드로 설정하기",
+ "arm_entity_name_night": "{entity_name}을(를) 야간 경보모드로 설정하기",
+ "arm_entity_name_vacation": "{entity_name}을(를) 휴가 경보모드로 설정하기",
+ "disarm_entity_name": "{entity_name}을(를) 경보 해제로 설정하기",
+ "trigger_entity_name": "{entity_name}을(를) 트리거하기",
+ "entity_name_is_armed_away": "{entity_name}: 외출 경보 설정 상태이면",
+ "entity_name_is_armed_home": "{entity_name}: 재실 경보 설정 상태이면",
+ "entity_name_is_armed_night": "{entity_name}: 야간 경보 설정 상태이면",
+ "entity_name_is_armed_vacation": "{entity_name}: 휴가 경보 설정 상태이면",
+ "entity_name_is_disarmed": "{entity_name}: 경보 해제 상태이면",
+ "entity_name_is_triggered": "{entity_name}: 트리거 되었으면",
+ "entity_name_armed_away": "{entity_name}: 외출 경보모드로 설정되었을 때",
+ "entity_name_armed_home": "{entity_name}: 재실 경보모드로 설정되었을 때",
+ "entity_name_armed_night": "{entity_name}: 야간 경보모드로 설정되었을 때",
+ "entity_name_armed_vacation": "{entity_name}: 휴가 경보모드로 설정되었을 때",
+ "entity_name_disarmed": "{entity_name}: 경보 해제되었을 때",
+ "entity_name_triggered": "{entity_name}: 트리거되었을 때",
+ "action_type_issue_all_led_effect": "모든 LED에 효과 적용하기",
+ "action_type_issue_individual_led_effect": "개별 LED에 효과 적용하기",
+ "squawk": "스쿼크 하기",
+ "warn": "경고하기",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "면 6을 활성화 한 채로",
+ "with_any_specified_face_s_activated": "임의의 면 또는 특정 면을 활성화 한 채로",
+ "device_dropped": "기기가 떨어졌을 때",
+ "device_flipped_subtype": "\"{subtype}\"로 기기가 뒤집어졌을 때",
+ "device_knocked_subtype": "\"{subtype}\"로 기기가 두드려졌을 때",
+ "device_offline": "기기가 오프라인이 되었을 때",
+ "device_rotated_subtype": "\"{subtype}\"로 기기가 회전되었을 때",
+ "device_slid_subtype": "\"{subtype}\"로 기기가 미끄러졌을 때",
+ "device_tilted": "기기가 기울어졌을 때",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" 두 번 눌렸을 때 (대체 모드)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" 계속 눌렸을 때 (대체 모드)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" 길게 눌렸다가 떼였을 때 (대체모드)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" 네 번 눌렸을 때 (대체 모드)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" 다섯 번 눌렸을 때 (대체 모드)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" 눌렸을 때 (대체 모드)",
+ "subtype_released_alternate_mode": "\"{subtype}\"에서 손을 떼었을 때 (대체 모드)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" 세 번 눌렸을 때 (대체 모드)",
"add_to_queue": "대기열에 추가",
"play_next": "다음 재생",
"options_replace": "지금 플레이하고 대기열 지우기",
"repeat_all": "모두 반복",
"repeat_one": "하나 반복",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "측정 단위 없음",
- "critical": "중대한",
- "debug": "디버그",
- "warning": "경고",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "패시브",
- "most_recently_updated": "가장 최근에 업데이트됨",
- "arithmetic_mean": "산술 평균",
- "median": "중앙값",
- "product": "제품",
- "statistical_range": "통계 범위",
- "standard_deviation": "표준 편차",
- "fatal": "치명적",
"alice_blue": "앨리스 블루",
"antique_white": "앤티크 화이트",
"aqua": "아쿠아",
@@ -3025,158 +3310,48 @@
"wheat": "위트",
"white_smoke": "화이트 스모크",
"yellow_green": "옐로우 그린",
- "sets_the_value": "값을 설정합니다.",
- "the_target_value": "대상 값",
- "device_description": "명령을 보낼 기기 ID",
- "delete_command": "명령 삭제",
- "alternative": "대안",
- "command_type_description": "학습할 명령 유형",
- "command_type": "명령 유형",
- "timeout_description": "학습할 명령에 대한 시간 초과",
- "learn_command": "명령 학습",
- "delay_seconds": "지연 시간(초)",
- "hold_seconds": "보류 시간(초)",
- "send_command": "명령 보내기",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "하나 이상의 조명을 끕니다.",
- "turn_on_description": "새 청소 작업을 시작합니다.",
- "set_datetime_description": "날짜 및/또는 시간을 설정합니다.",
- "the_target_date": "목표 날짜",
- "datetime_description": "목표 날짜와 시간",
- "the_target_time": "목표 시간",
- "creates_a_new_backup": "새 백업 만들기",
- "apply_description": "구성으로 장면을 활성화합니다.",
- "entities_description": "구성요소 및 해당 대상 상태 목록",
- "transition": "Transition",
- "apply": "적용",
- "creates_a_new_scene": "새 장면 만들기",
- "scene_id_description": "새 장면의 구성요소 ID",
- "scene_entity_id": "장면 구성요소 ID",
- "snapshot_entities": "스냅샷 구성요소",
- "delete_description": "동적으로 생성된 장면을 삭제합니다.",
- "activates_a_scene": "장면 활성화",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "대상 위치",
- "set_position": "위치 설정",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "대시보드 경로",
- "view_path": "경로 보기",
- "show_dashboard_view": "대시보드 보기 표시",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "중대한",
+ "debug": "디버그",
+ "warning": "경고",
+ "passive": "패시브",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "측정 단위 없음",
+ "fatal": "치명적",
+ "most_recently_updated": "가장 최근에 업데이트됨",
+ "arithmetic_mean": "산술 평균",
+ "median": "중앙값",
+ "product": "제품",
+ "statistical_range": "통계 범위",
+ "standard_deviation": "표준 편차",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "랜덤 효과 설정",
"sequence_description": "HSV 시퀀스 목록(최대 16개)",
"backgrounds": "배경",
"initial_brightness": "초기 밝기",
"brightness_range": "밝기 범위",
"fade_off": "페이드 오프",
- "hue_range": "색조 범위",
- "initial_hsv_sequence": "초기 HSV 시퀀스",
- "initial_states": "초기 상태",
- "random_seed": "랜덤 시드",
- "saturation_range": "채도 범위",
- "segments_description": "세그먼트 목록(모두 0)",
- "segments": "세그먼트",
- "transition_range": "전환 범위",
- "random_effect": "랜덤 효과",
- "sets_a_sequence_effect": "시퀀스 효과 설정",
- "repetitions_for_continuous": "반복(연속의 경우 0)",
- "sequence": "시퀀스",
- "speed_of_spread": "확산 속도",
- "spread": "확산",
- "sequence_effect": "시퀀스 효과",
- "check_configuration": "구성 확인",
- "reload_all": "모두 새로고침",
- "reload_config_entry_description": "지정된 구성 항목을 다시 로드합니다.",
- "config_entry_id": "구성 항목 ID",
- "reload_config_entry": "구성 항목 새로고침",
- "reload_core_config_description": "YAML 구성에서 코어 구성을 다시 로드합니다.",
- "reload_core_configuration": "코어 구성 다시 로드",
- "reload_custom_jinja_templates": "사용자 지정 Jinja2 템플릿 새로고침",
- "restarts_home_assistant": "Home Assistant 다시 시작",
- "safe_mode_description": "사용자 정의 통합 및 사용자 정의 카드를 비활성화합니다.",
- "save_persistent_states": "지속적 상태 저장",
- "set_location_description": "Home Assistant 위치 업데이트",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "사용자 위치의 위도",
- "longitude_of_your_location": "사용자 위치의 경도",
- "stops_home_assistant": "Home Assistant 중지",
- "generic_toggle": "일반 토글",
- "generic_turn_off": "일반 끄기",
- "generic_turn_on": "일반 켜기",
- "entity_id_description": "로그북 항목에서 참조할 구성요소입니다.",
- "entities_to_update": "Entities to update",
- "update_entity": "구성요소 업데이트",
- "turns_auxiliary_heater_on_off": "보조 히터를 켜거나 끕니다.",
- "aux_heat_description": "보조 히터의 새로운 값",
- "auxiliary_heating": "보조 난방",
- "turn_on_off_auxiliary_heater": "보조 히터 켜기/끄기",
- "sets_fan_operation_mode": "팬 작동 모드를 설정합니다.",
- "fan_operation_mode": "팬 작동 모드",
- "set_fan_mode": "팬 모드 설정",
- "set_target_humidity": "희망 습도 설정",
- "sets_hvac_operation_mode": "HVAC 작동 모드 설정",
- "hvac_operation_mode": "HVAC 작동 모드",
- "set_hvac_mode": "HVAC 모드 설정",
- "set_preset_mode": "프리셋 모드 설정",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "swing_operation_mode": "회전 작동 모드 설정",
- "set_swing_mode": "회전 모드 설정",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "희망 온도를 설정합니다.",
- "turns_climate_device_off": "공조 장치를 끕니다.",
- "turns_climate_device_on": "공조 장치를 켭니다.",
- "decrement_description": "현재 값을 1단계 감소시킵니다.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "숫자 값을 설정합니다.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "구성 매개변수의 값",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "재생 목록 지우기",
- "selects_the_next_track": "다음 트랙을 선택합니다.",
- "pauses": "일시 중지",
- "starts_playing": "재생을 시작합니다.",
- "toggles_play_pause": "재생 / 일시정지 토글",
- "selects_the_previous_track": "이전 트랙을 선택합니다.",
- "stops_playing": "재생 중지",
- "starts_playing_specified_media": "지정된 미디어 재생을 시작합니다.",
- "announce": "Announce",
- "repeat_mode_to_set": "설정할 반복 모드",
- "select_sound_mode_description": "특정 사운드 모드를 선택합니다.",
- "select_sound_mode": "사운드 모드 선택",
- "select_source": "소스 선택",
- "shuffle_description": "셔플 모드 활성화 여부",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "참여 해제",
- "turns_down_the_volume": "볼륨을 낮춥니다.",
- "turn_down_volume": "볼륨 낮추기",
- "volume_mute_description": "미디어 플레이어를 음소거하거나 음소거 해제합니다.",
- "is_volume_muted_description": "음소거 여부를 정의합니다.",
- "mute_unmute_volume": "볼륨 음소거/음소거 해제",
- "sets_the_volume_level": "볼륨 레벨을 설정합니다.",
- "level": "레벨",
- "set_volume": "볼륨 설정",
- "turns_up_the_volume": "볼륨을 높입니다.",
- "turn_up_volume": "볼륨 높이기",
- "battery_description": "기기 배터리 잔량",
- "gps_coordinates": "GPS 좌표",
- "gps_accuracy_description": "GPS 좌표의 정확도",
- "hostname_of_the_device": "기기의 호스트 이름",
- "hostname": "호스트 이름",
- "mac_description": "기기의 MAC 주소",
+ "hue_range": "색조 범위",
+ "initial_hsv_sequence": "초기 HSV 시퀀스",
+ "initial_states": "초기 상태",
+ "random_seed": "랜덤 시드",
+ "saturation_range": "채도 범위",
+ "segments_description": "세그먼트 목록(모두 0)",
+ "segments": "세그먼트",
+ "transition": "전환",
+ "transition_range": "전환 범위",
+ "random_effect": "랜덤 효과",
+ "sets_a_sequence_effect": "시퀀스 효과 설정",
+ "repetitions_for_continuous": "반복(연속의 경우 0)",
+ "sequence": "시퀀스",
+ "speed_of_spread": "확산 속도",
+ "spread": "확산",
+ "sequence_effect": "시퀀스 효과",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "사이렌 토글",
+ "turns_the_siren_off": "사이렌 끄기",
+ "turns_the_siren_on": "사이렌 켜기",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3189,24 +3364,69 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
"brightness_step_value": "Brightness step value",
"brightness_step_pct_description": "Change brightness by a percentage.",
"brightness_step": "Brightness step",
- "add_event_description": "새 캘린더 이벤트를 추가합니다.",
- "calendar_id_description": "원하는 캘린더의 ID",
- "calendar_id": "캘린더 ID",
- "description_description": "이벤트에 대한 설명. 선택 사항",
- "summary_description": "이벤트의 제목 역할을 합니다.",
- "location_description": "일정의 위치",
- "create_event": "일정 만들기",
- "apply_filter": "필터 적용",
- "days_to_keep": "보관 일수",
- "repack": "재포장",
- "domains_to_remove": "제거할 도메인",
- "entity_globs_to_remove": "제거할 패턴 일치 구성요소",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "구성요소 제거",
+ "toggles_the_helper_on_off": "도우미 토글",
+ "turns_off_the_helper": "도우미 끄기",
+ "turns_on_the_helper": "도우미 켜기",
+ "pauses_the_mowing_task": "잔디 깎기 작업 일시중지",
+ "starts_the_mowing_task": "잔디 깎기 작업 시작",
+ "creates_a_new_backup": "새 백업 만들기",
+ "sets_the_value": "값을 설정합니다.",
+ "enter_your_text": "텍스트를 입력하십시오.",
+ "set_value": "값 설정",
+ "clear_lock_user_code_description": "잠금에서 사용자 코드를 지웁니다.",
+ "code_slot_description": "코드를 넣을 코드 슬롯",
+ "code_slot": "코드 슬롯",
+ "clear_lock_user": "잠금 사용자 지우기",
+ "disable_lock_user_code_description": "잠금에서 사용자 코드를 비활성화합니다.",
+ "code_slot_to_disable": "비활성화할 코드 슬롯",
+ "disable_lock_user": "사용자 잠금 비활성화",
+ "enable_lock_user_code_description": "잠금에서 사용자 코드를 활성화합니다.",
+ "code_slot_to_enable": "활성화할 코드 슬롯",
+ "enable_lock_user": "사용자 잠금 활성화",
+ "args_description": "명령에 전달할 인수",
+ "args": "인수",
+ "cluster_id_description": "속성을 검색할 ZCL 클러스터",
+ "cluster_id": "클러스터 ID",
+ "type_of_the_cluster": "클러스터의 유형",
+ "cluster_type": "클러스터 유형",
+ "command_description": "Google 어시스턴트로 보낼 명령어입니다.",
+ "command_type_description": "학습할 명령 유형",
+ "command_type": "명령 유형",
+ "endpoint_id_description": "클러스터의 엔드포인트 ID",
+ "endpoint_id": "엔드포인트 ID",
+ "ieee_description": "기기의 IEEE 주소",
+ "ieee": "IEEE",
+ "manufacturer": "제조업체",
+ "params_description": "명령에 전달할 매개변수",
+ "params": "매개변수",
+ "issue_zigbee_cluster_command": "지그비 클러스터 명령 실행",
+ "group_description": "그룹의 16진수 주소",
+ "issue_zigbee_group_command": "지그비 그룹 명령 실행",
+ "permit_description": "노드가 지그비 네트워크에 참여할 수 있도록 허용합니다.",
+ "time_to_permit_joins": "조인을 허용할 시간",
+ "install_code": "설치 코드",
+ "qr_code": "QR코드",
+ "source_ieee": "소스 IEEE",
+ "permit": "허가",
+ "reconfigure_device": "기기 재구성",
+ "remove_description": "Zigbee 네트워크에서 노드를 제거합니다.",
+ "set_lock_user_code_description": "잠금에 사용자 코드를 설정합니다.",
+ "code_to_set": "설정할 코드",
+ "set_lock_user_code": "잠금 사용자 코드 설정",
+ "attribute_description": "설정할 속성의 ID",
+ "value_description": "설정할 대상 값",
+ "set_zigbee_cluster_attribute": "지그비 클러스터 속성 설정",
+ "level": "레벨",
+ "strobe": "스트로보",
+ "warning_device_squawk": "경고 기기 꽥꽥 소리",
+ "duty_cycle": "의무 주기",
+ "intensity": "강도",
+ "warning_device_starts_alert": "경고 장치가 경고를 시작합니다",
"dump_log_objects": "덤프 로그 개체",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3231,26 +3451,291 @@
"stop_logging_object_sources": "개체 소스 로깅 중지",
"stop_log_objects_description": "메모리에 있는 개체의 증가를 로깅하는 것을 중지합니다.",
"stop_logging_objects": "개체 로깅 중지",
+ "set_default_level_description": "통합구성요소에 대한 기본 로그 수준을 설정합니다.",
+ "level_description": "모든 통합구성요소에 대한 기본 심각도 수준입니다.",
+ "set_default_level": "기본 레벨 설정",
+ "set_level": "레벨 설정",
+ "stops_a_running_script": "실행 중인 스크립트를 중지합니다.",
+ "clear_skipped_update": "건너뛴 업데이트 지우기",
+ "install_update": "업데이트 설치",
+ "skip_description": "현재 사용 가능한 업데이트를 건너뛴 것으로 표시합니다.",
+ "skip_update": "업데이트 건너뛰기",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "속도 감소",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "속도 증가",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "방향 설정",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "팬의 속도",
+ "percentage": "백분율",
+ "set_speed": "속도 설정",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "set_preset_mode": "프리셋 모드 설정",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "팬 끄기",
+ "turns_fan_on": "팬 켜기",
+ "set_datetime_description": "날짜 및/또는 시간을 설정합니다.",
+ "the_target_date": "목표 날짜",
+ "datetime_description": "목표 날짜와 시간",
+ "the_target_time": "목표 시간",
+ "log_description": "로그북에 사용자 지정 항목을 만듭니다.",
+ "entity_id_description": "메시지를 재생할 미디어 플레이어",
+ "message_description": "알림의 메시지 본문",
+ "request_sync_description": "Google에 request_sync 명령을 보냅니다.",
+ "agent_user_id": "에이전트 사용자 ID",
+ "request_sync": "동기화 요청",
+ "apply_description": "구성으로 장면을 활성화합니다.",
+ "entities_description": "구성요소 및 해당 대상 상태 목록",
+ "apply": "적용",
+ "creates_a_new_scene": "새 장면 만들기",
+ "entity_states": "Entity states",
+ "scene_id_description": "새 장면의 구성요소 ID",
+ "scene_entity_id": "장면 구성요소 ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "동적으로 생성된 장면을 삭제합니다.",
+ "activates_a_scene": "장면 활성화",
"reload_themes_description": "YAML 구성에서 테마를 다시 로드합니다.",
"reload_themes": "테마 새로고침",
"name_of_a_theme": "테마 이름",
"set_the_default_theme": "기본 테마 설정",
+ "decrement_description": "현재 값을 1단계 감소시킵니다.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "숫자 값을 설정합니다.",
+ "check_configuration": "구성 확인",
+ "reload_all": "모두 새로고침",
+ "reload_config_entry_description": "지정된 구성 항목을 다시 로드합니다.",
+ "config_entry_id": "구성 항목 ID",
+ "reload_config_entry": "구성 항목 새로고침",
+ "reload_core_config_description": "YAML 구성에서 코어 구성을 다시 로드합니다.",
+ "reload_core_configuration": "코어 구성 다시 로드",
+ "reload_custom_jinja_templates": "사용자 지정 Jinja2 템플릿 새로고침",
+ "restarts_home_assistant": "Home Assistant 다시 시작",
+ "safe_mode_description": "사용자 정의 통합 및 사용자 정의 카드를 비활성화합니다.",
+ "save_persistent_states": "지속적 상태 저장",
+ "set_location_description": "Home Assistant 위치 업데이트",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "사용자 위치의 위도",
+ "longitude_of_your_location": "사용자 위치의 경도",
+ "set_location": "위치 설정",
+ "stops_home_assistant": "Home Assistant 중지",
+ "generic_toggle": "일반 토글",
+ "generic_turn_off": "일반 끄기",
+ "generic_turn_on": "일반 켜기",
+ "entities_to_update": "Entities to update",
+ "update_entity": "구성요소 업데이트",
+ "notify_description": "선택한 대상에 알림 메시지를 보냅니다.",
+ "data": "데이터",
+ "title_of_the_notification": "알림 제목",
+ "send_a_persistent_notification": "지속적인 알림 보내기",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "알림의 제목(선택 사항)",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "매직 패킷 보내기",
+ "topic_to_listen_to": "들을 토픽",
+ "topic": "토픽",
+ "export": "내보내기",
+ "publish_description": "MQTT 토픽에 메시지를 발행합니다.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "발행할 페이로드",
+ "payload": "페이로드",
+ "payload_template": "페이로드 템플릿",
+ "qos": "QoS",
+ "retain": "유지",
+ "topic_to_publish_to": "발행할 토픽",
+ "publish": "발행",
+ "load_url_description": "Fully Kiosk Browser에서 URL을 로드합니다.",
+ "url_to_load": "로드할 URL",
+ "load_url": "URL 로드",
+ "configuration_parameter_to_set": "설정할 구성 매개변수",
+ "key": "키",
+ "set_configuration": "구성 설정",
+ "application_description": "시작할 애플리케이션의 패키지 이름",
+ "application": "애플리케이션",
+ "start_application": "애플리케이션 시작",
+ "battery_description": "기기 배터리 잔량",
+ "gps_coordinates": "GPS 좌표",
+ "gps_accuracy_description": "GPS 좌표의 정확도",
+ "hostname_of_the_device": "기기의 호스트 이름",
+ "hostname": "호스트 이름",
+ "mac_description": "기기의 MAC 주소",
+ "device_description": "명령을 보낼 기기 ID",
+ "delete_command": "명령 삭제",
+ "alternative": "대안",
+ "timeout_description": "학습할 명령에 대한 시간 초과",
+ "learn_command": "명령 학습",
+ "delay_seconds": "지연 시간(초)",
+ "hold_seconds": "보류 시간(초)",
+ "send_command": "명령 보내기",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "새 청소 작업을 시작합니다.",
+ "get_weather_forecast": "날씨 예보를 가져옵니다.",
+ "type_description": "예보 유형: 매일, 매시 또는 매일 2회",
+ "forecast_type": "일기예보 유형",
+ "get_forecast": "예보 가져오기",
+ "get_weather_forecasts": "일기 예보를 받아보세요.",
+ "get_forecasts": "일기예보 보기",
+ "press_the_button_entity": "버튼 구성요소 누르기",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "알림 ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "로봇 청소기를 찾습니다.",
+ "pauses_the_cleaning_task": "청소 작업을 일시정지합니다.",
+ "send_command_description": "청소기에 명령을 보냅니다.",
+ "set_fan_speed": "팬 속도 설정",
+ "start_description": "청소 작업을 시작하거나 재개합니다.",
+ "start_pause_description": "청소 작업을 시작, 일시정지 또는 재개합니다.",
+ "stop_description": "현재 청소 작업을 중지합니다.",
+ "toggle_description": "미디어 플레이어 토글",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ 이동 속도",
+ "ptz_move": "PTZ 이동",
+ "disables_the_motion_detection": "움직임 감지를 비활성화합니다.",
+ "disable_motion_detection": "움직임 감지 비활성화",
+ "enables_the_motion_detection": "움직임 감지를 활성화합니다.",
+ "enable_motion_detection": "움직임 감지 활성화",
+ "format_description": "미디어 플레이어에서 지원하는 스트림 형식입니다.",
+ "format": "형식",
+ "media_player_description": "스트리밍할 미디어 플레이어",
+ "play_stream": "스트림 재생",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "파일 이름",
+ "lookback": "룩백",
+ "snapshot_description": "카메라에서 스냅샷을 찍습니다.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "스냅샷 찍기",
+ "turns_off_the_camera": "카메라를 끕니다.",
+ "turns_on_the_camera": "카메라 켜기",
+ "reload_resources_description": "YAML 구성에서 대시보드 리소스를 다시 로드합니다.",
"clear_tts_cache": "TTS 캐시 지우기",
"cache": "캐시",
"language_description": "텍스트 언어. 기본값은 서버 언어",
"options_description": "통합구성요소 관련 옵션이 포함된 사전입니다.",
"say_a_tts_message": "TTS 메시지 말하기",
- "media_player_entity_id_description": "메시지를 재생할 미디어 플레이어",
"media_player_entity": "미디어 플레이어 구성요소",
- "reload_resources_description": "YAML 구성에서 대시보드 리소스를 다시 로드합니다.",
- "toggles_the_siren_on_off": "사이렌 토글",
- "turns_the_siren_off": "사이렌 끄기",
- "turns_the_siren_on": "사이렌 켜기",
- "toggles_the_helper_on_off": "도우미 토글",
- "turns_off_the_helper": "도우미 끄기",
- "turns_on_the_helper": "도우미 켜기",
- "pauses_the_mowing_task": "잔디 깎기 작업 일시중지",
- "starts_the_mowing_task": "잔디 깎기 작업 시작",
+ "send_text_command": "문자 명령 보내기",
+ "the_target_value": "대상 값",
+ "removes_a_group": "그룹을 제거합니다.",
+ "object_id": "오브젝트 ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "구성요소 추가",
+ "icon_description": "그룹 아이콘의 이름",
+ "name_of_the_group": "그룹의 이름",
+ "purge_entities": "구성요소 제거",
+ "locks_a_lock": "잠금을 잠급니다.",
+ "code_description": "알람을 활성화하는 코드",
+ "opens_a_lock": "잠금을 엽니다.",
+ "unlocks_a_lock": "잠금을 해제합니다.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "발표",
+ "reloads_the_automation_configuration": "자동화 구성을 다시 로드합니다.",
+ "trigger_description": "자동화 작업을 트리거합니다.",
+ "skip_conditions": "조건 건너뛰기",
+ "disables_an_automation": "자동화 비활성화",
+ "stops_currently_running_actions": "현재 실행 중인 동작 중지",
+ "stop_actions": "동작 중지",
+ "enables_an_automation": "자동화를 활성화합니다.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "로그 항목 쓰기",
+ "log_level": "로그 레벨",
+ "message_to_log": "기록할 메시지",
+ "write": "입력",
+ "dashboard_path": "대시보드 경로",
+ "view_path": "경로 보기",
+ "show_dashboard_view": "대시보드 보기 표시",
+ "process_description": "기록된 텍스트에서 대화를 시작합니다.",
+ "agent": "에이전트",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "전사된 텍스트 입력",
+ "process": "프로세스",
+ "reloads_the_intent_configuration": "의도 구성을 다시 로드합니다.",
+ "conversation_agent_to_reload": "대화 에이전트를 다시 로드합니다.",
+ "closes_a_cover": "커버 닫기",
+ "close_cover_tilt_description": "커버를 기울여 닫습니다.",
+ "close_tilt": "기울기 닫기",
+ "opens_a_cover": "커버 열기",
+ "tilts_a_cover_open": "커버를 기울여 엽니다.",
+ "open_tilt": "기울기 열기",
+ "set_cover_position_description": "커버를 특정 위치로 이동합니다.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "대상 기울기 위치",
+ "set_tilt_position": "기울기 위치 설정",
+ "stops_the_cover_movement": "커버 이동을 중지합니다.",
+ "stop_cover_tilt_description": "틸팅 커버의 움직임을 중지합니다.",
+ "stop_tilt": "기울기 중지",
+ "toggles_a_cover_open_closed": "커버 토글",
+ "toggle_cover_tilt_description": "커버 기울기 토글",
+ "toggle_tilt": "기울기 토글",
+ "turns_auxiliary_heater_on_off": "보조 히터를 켜거나 끕니다.",
+ "aux_heat_description": "보조 히터의 새로운 값",
+ "auxiliary_heating": "보조 난방",
+ "turn_on_off_auxiliary_heater": "보조 히터 켜기/끄기",
+ "sets_fan_operation_mode": "팬 작동 모드를 설정합니다.",
+ "fan_operation_mode": "팬 작동 모드",
+ "set_fan_mode": "팬 모드 설정",
+ "set_target_humidity": "희망 습도 설정",
+ "sets_hvac_operation_mode": "HVAC 작동 모드 설정",
+ "hvac_operation_mode": "HVAC 작동 모드",
+ "set_hvac_mode": "HVAC 모드 설정",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "swing_operation_mode": "회전 작동 모드 설정",
+ "set_swing_mode": "회전 모드 설정",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "희망 온도를 설정합니다.",
+ "turns_climate_device_off": "공조 장치를 끕니다.",
+ "turns_climate_device_on": "공조 장치를 켭니다.",
+ "apply_filter": "필터 적용",
+ "days_to_keep": "보관 일수",
+ "repack": "재포장",
+ "domains_to_remove": "제거할 도메인",
+ "entity_globs_to_remove": "제거할 패턴 일치 구성요소",
+ "entities_to_remove": "Entities to remove",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "재생 목록 지우기",
+ "selects_the_next_track": "다음 트랙을 선택합니다.",
+ "pauses": "일시 중지",
+ "starts_playing": "재생을 시작합니다.",
+ "toggles_play_pause": "재생 / 일시정지 토글",
+ "selects_the_previous_track": "이전 트랙을 선택합니다.",
+ "stops_playing": "재생 중지",
+ "starts_playing_specified_media": "지정된 미디어 재생을 시작합니다.",
+ "repeat_mode_to_set": "설정할 반복 모드",
+ "select_sound_mode_description": "특정 사운드 모드를 선택합니다.",
+ "select_sound_mode": "사운드 모드 선택",
+ "select_source": "소스 선택",
+ "shuffle_description": "셔플 모드 활성화 여부",
+ "unjoin": "참여 해제",
+ "turns_down_the_volume": "볼륨을 낮춥니다.",
+ "turn_down_volume": "볼륨 낮추기",
+ "volume_mute_description": "미디어 플레이어를 음소거하거나 음소거 해제합니다.",
+ "is_volume_muted_description": "음소거 여부를 정의합니다.",
+ "mute_unmute_volume": "볼륨 음소거/음소거 해제",
+ "sets_the_volume_level": "볼륨 레벨을 설정합니다.",
+ "set_volume": "볼륨 설정",
+ "turns_up_the_volume": "볼륨을 높입니다.",
+ "turn_up_volume": "볼륨 높이기",
"restarts_an_add_on": "애드온을 다시 시작합니다.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3287,114 +3772,22 @@
"restore_partial_description": "부분 백업에서 복원합니다.",
"restores_home_assistant": "Home Assistant를 복원합니다.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "속도 감소",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "속도 증가",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "방향 설정",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "팬의 속도",
- "percentage": "백분율",
- "set_speed": "속도 설정",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "팬 끄기",
- "turns_fan_on": "팬 켜기",
- "get_weather_forecast": "날씨 예보를 가져옵니다.",
- "type_description": "예보 유형: 매일, 매시 또는 매일 2회",
- "forecast_type": "일기예보 유형",
- "get_forecast": "예보 가져오기",
- "get_weather_forecasts": "일기 예보를 받아보세요.",
- "get_forecasts": "일기예보 보기",
- "clear_skipped_update": "건너뛴 업데이트 지우기",
- "install_update": "업데이트 설치",
- "skip_description": "현재 사용 가능한 업데이트를 건너뛴 것으로 표시합니다.",
- "skip_update": "업데이트 건너뛰기",
- "code_description": "잠금을 해제하는 데 사용되는 코드",
- "alarm_arm_vacation_description": "알람을 _armed for vacation_으로 설정합니다.",
- "disarms_the_alarm": "알람 해제",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
"selects_the_first_option": "첫 번째 옵션을 선택합니다.",
- "first": "첫 번째",
"selects_the_last_option": "마지막 옵션 선택",
"selects_the_next_option": "다음 옵션을 선택합니다.",
"selects_an_option": "옵션을 선택합니다.",
"option_to_be_selected": "선택할 옵션",
"selects_the_previous_option": "이전 옵션을 선택합니다.",
- "disables_the_motion_detection": "움직임 감지를 비활성화합니다.",
- "disable_motion_detection": "움직임 감지 비활성화",
- "enables_the_motion_detection": "움직임 감지를 활성화합니다.",
- "enable_motion_detection": "움직임 감지 활성화",
- "format_description": "미디어 플레이어에서 지원하는 스트림 형식입니다.",
- "format": "형식",
- "media_player_description": "스트리밍할 미디어 플레이어",
- "play_stream": "스트림 재생",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "파일 이름",
- "lookback": "룩백",
- "snapshot_description": "카메라에서 스냅샷을 찍습니다.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "스냅샷 찍기",
- "turns_off_the_camera": "카메라를 끕니다.",
- "turns_on_the_camera": "카메라 켜기",
- "press_the_button_entity": "버튼 구성요소 누르기",
+ "create_event_description": "Adds a new calendar event.",
+ "location_description": "이벤트의 위치. 선택 사항",
"start_date_description": "하루 종일 이벤트가 시작되는 날짜",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "다음 옵션 선택",
- "sets_the_options": "옵션을 설정합니다.",
- "list_of_options": "옵션 목록",
- "set_options": "옵션 설정",
- "closes_a_cover": "커버 닫기",
- "close_cover_tilt_description": "커버를 기울여 닫습니다.",
- "close_tilt": "기울기 닫기",
- "opens_a_cover": "커버 열기",
- "tilts_a_cover_open": "커버를 기울여 엽니다.",
- "open_tilt": "기울기 열기",
- "set_cover_position_description": "커버를 특정 위치로 이동합니다.",
- "target_tilt_positition": "대상 기울기 위치",
- "set_tilt_position": "기울기 위치 설정",
- "stops_the_cover_movement": "커버 이동을 중지합니다.",
- "stop_cover_tilt_description": "틸팅 커버의 움직임을 중지합니다.",
- "stop_tilt": "기울기 중지",
- "toggles_a_cover_open_closed": "커버 토글",
- "toggle_cover_tilt_description": "커버 기울기 토글",
- "toggle_tilt": "기울기 토글",
- "request_sync_description": "Google에 request_sync 명령을 보냅니다.",
- "agent_user_id": "에이전트 사용자 ID",
- "request_sync": "동기화 요청",
- "log_description": "로그북에 사용자 지정 항목을 만듭니다.",
- "message_description": "알림의 메시지 본문",
- "enter_your_text": "텍스트를 입력하십시오.",
- "set_value": "값 설정",
- "topic_to_listen_to": "들을 토픽",
- "topic": "토픽",
- "export": "내보내기",
- "publish_description": "MQTT 토픽에 메시지를 발행합니다.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "발행할 페이로드",
- "payload": "페이로드",
- "payload_template": "페이로드 템플릿",
- "qos": "QoS",
- "retain": "유지",
- "topic_to_publish_to": "발행할 토픽",
- "publish": "발행",
- "reloads_the_automation_configuration": "자동화 구성을 다시 로드합니다.",
- "trigger_description": "자동화 작업을 트리거합니다.",
- "skip_conditions": "조건 건너뛰기",
- "disables_an_automation": "자동화 비활성화",
- "stops_currently_running_actions": "현재 실행 중인 동작 중지",
- "stop_actions": "동작 중지",
- "enables_an_automation": "자동화를 활성화합니다.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "통합구성요소에 대한 기본 로그 수준을 설정합니다.",
- "level_description": "모든 통합구성요소에 대한 기본 심각도 수준입니다.",
- "set_default_level": "기본 레벨 설정",
- "set_level": "레벨 설정",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "브리지 식별자",
"configuration_payload": "구성 페이로드",
"entity_description": "deCONZ의 특정 디바이스 엔드포인트를 나타냅니다.",
@@ -3402,81 +3795,32 @@
"device_refresh_description": "deCONZ에서 사용 가능한 기기를 새로 고칩니다.",
"device_refresh": "기기 새로고침",
"remove_orphaned_entries": "분리된 항목 제거",
- "locate_description": "로봇 청소기를 찾습니다.",
- "pauses_the_cleaning_task": "청소 작업을 일시정지합니다.",
- "send_command_description": "청소기에 명령을 보냅니다.",
- "command_description": "Google 어시스턴트로 보낼 명령어입니다.",
- "parameters": "매개변수",
- "set_fan_speed": "팬 속도 설정",
- "start_description": "청소 작업을 시작하거나 재개합니다.",
- "start_pause_description": "청소 작업을 시작, 일시정지 또는 재개합니다.",
- "stop_description": "현재 청소 작업을 중지합니다.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "스위치 토글",
- "turns_a_switch_off": "스위치 끄기",
- "turns_a_switch_on": "스위치 켜기",
+ "add_event_description": "새 캘린더 이벤트를 추가합니다.",
+ "calendar_id_description": "원하는 캘린더의 ID",
+ "calendar_id": "캘린더 ID",
+ "description_description": "이벤트에 대한 설명. 선택 사항",
+ "summary_description": "이벤트의 제목 역할을 합니다.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "주어진 URL에서 파일을 다운로드합니다.",
- "notify_description": "선택한 대상에 알림 메시지를 보냅니다.",
- "data": "데이터",
- "title_of_the_notification": "알림 제목",
- "send_a_persistent_notification": "지속적인 알림 보내기",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "알림의 제목(선택 사항)",
- "send_a_notification_message": "Send a notification message",
- "process_description": "기록된 텍스트에서 대화를 시작합니다.",
- "agent": "에이전트",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "전사된 텍스트 입력",
- "process": "프로세스",
- "reloads_the_intent_configuration": "의도 구성을 다시 로드합니다.",
- "conversation_agent_to_reload": "대화 에이전트를 다시 로드합니다.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ 이동 속도",
- "ptz_move": "PTZ 이동",
- "send_magic_packet": "매직 패킷 보내기",
- "send_text_command": "문자 명령 보내기",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "로그 항목 쓰기",
- "log_level": "로그 레벨",
- "message_to_log": "기록할 메시지",
- "write": "입력",
- "locks_a_lock": "잠금을 잠급니다.",
- "opens_a_lock": "잠금을 엽니다.",
- "unlocks_a_lock": "잠금을 해제합니다.",
- "removes_a_group": "그룹을 제거합니다.",
- "object_id": "오브젝트 ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "구성요소 추가",
- "icon_description": "그룹 아이콘의 이름",
- "name_of_the_group": "그룹의 이름",
- "stops_a_running_script": "실행 중인 스크립트를 중지합니다.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "알림 ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Fully Kiosk Browser에서 URL을 로드합니다.",
- "url_to_load": "로드할 URL",
- "load_url": "URL 로드",
- "configuration_parameter_to_set": "설정할 구성 매개변수",
- "key": "키",
- "set_configuration": "구성 설정",
- "application_description": "시작할 애플리케이션의 패키지 이름",
- "application": "애플리케이션",
- "start_application": "애플리케이션 시작"
+ "select_the_next_option": "다음 옵션 선택",
+ "sets_the_options": "옵션을 설정합니다.",
+ "list_of_options": "옵션 목록",
+ "set_options": "옵션 설정",
+ "alarm_arm_vacation_description": "알람을 _armed for vacation_으로 설정합니다.",
+ "disarms_the_alarm": "알람 해제",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "스위치 토글",
+ "turns_a_switch_off": "스위치 끄기",
+ "turns_a_switch_on": "스위치 켜기"
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/lb/lb.json b/packages/core/src/hooks/useLocale/locales/lb/lb.json
index c6d0adb5..c14aa03e 100644
--- a/packages/core/src/hooks/useLocale/locales/lb/lb.json
+++ b/packages/core/src/hooks/useLocale/locales/lb/lb.json
@@ -241,7 +241,7 @@
"selector_options": "Selector Options",
"action": "Action",
"area": "Area",
- "attribute": "Attribut",
+ "attribute": "Attribute",
"boolean": "Boolean",
"condition": "Condition",
"date": "Date",
@@ -743,7 +743,7 @@
"can_not_skip_version": "Can not skip version",
"update_instructions": "Update instructions",
"current_activity": "Aktuell Aktivitéit",
- "status": "Status",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Staubsauger Kommandoen:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -861,7 +861,7 @@
"restart_home_assistant": "Restart Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Quick reload",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Reloading configuration",
"failed_to_reload_configuration": "Failed to reload configuration",
"restart_description": "Interrupts all running automations and scripts.",
@@ -889,8 +889,8 @@
"password": "Password",
"regex_pattern": "Regex pattern",
"used_for_client_side_validation": "Used for client-side validation",
- "minimum_value": "Minimum valeur",
- "maximum_value": "Maximum valeur",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Angab Feld",
"slider": "Slider",
"step_size": "Schrëtt Gréisst",
@@ -1197,7 +1197,7 @@
"ui_panel_lovelace_editor_edit_view_tab_badges": "Badgen",
"card_configuration": "Card configuration",
"type_card_configuration": "{type} Card configuration",
- "edit_card_pick_card": "Wielt eng Kaart aus déi soll dobäigesat ginn.",
+ "edit_card_pick_card": "Which card would you like to add?",
"toggle_editor": "Toggle editor",
"you_have_unsaved_changes": "You have unsaved changes",
"edit_card_confirm_cancel": "Sécher fir ofzebriechen ?",
@@ -1295,7 +1295,7 @@
"web_link": "Web link",
"buttons": "Knäppercher",
"cast": "Cast",
- "button": "Knäppchen",
+ "button": "Button",
"entity_filter": "Entity filter",
"secondary_information": "Secondary information",
"gauge": "Skala",
@@ -1490,141 +1490,120 @@
"now": "Now",
"compare_data": "Compare data",
"reload_ui": "Benotzer frësch lueden",
- "tag": "Tag",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "tag": "Tag",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
+ "scene": "Scene",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Ënnerhalung",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Klima",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Netzdeel Checker",
+ "conversation": "Ënnerhalung",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Klima",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Netzdeel Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1653,6 +1632,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1678,31 +1658,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Next dawn",
- "next_dusk": "Next dusk",
- "next_midnight": "Next midnight",
- "next_noon": "Next noon",
- "next_rising": "Next rising",
- "next_setting": "Next setting",
- "solar_azimuth": "Solar azimuth",
- "solar_elevation": "Solar elevation",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1724,34 +1689,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Plugged in",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1825,6 +1832,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1875,7 +1883,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1892,6 +1899,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Next dawn",
+ "next_dusk": "Next dusk",
+ "next_midnight": "Next midnight",
+ "next_noon": "Next noon",
+ "next_rising": "Next rising",
+ "next_setting": "Next setting",
+ "solar_azimuth": "Solar azimuth",
+ "solar_elevation": "Solar elevation",
+ "solar_rising": "Solar rising",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1911,73 +1961,251 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Plugged in",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Paused",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -2010,84 +2238,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Current humidity",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Current action",
- "cooling": "Cooling",
- "defrosting": "Defrosting",
- "drying": "Drying",
- "heating": "Heating",
- "preheating": "Preheating",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Both",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Not charging",
- "disconnected": "Disconnected",
- "connected": "Connected",
- "hot": "Hot",
- "no_light": "No light",
- "light_detected": "Light detected",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "Not moving",
- "unplugged": "Unplugged",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Above horizon",
- "below_horizon": "Below horizon",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2103,13 +2259,36 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "available_tones": "Available tones",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Clear, night",
"cloudy": "Cloudy",
"exceptional": "Exceptional",
@@ -2132,26 +2311,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "disarming": "Disarming",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2160,96 +2322,145 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locked": "Locked",
+ "locking": "Locking",
+ "unlocked": "Unlocked",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Current humidity",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Current action",
+ "cooling": "Cooling",
+ "defrosting": "Defrosting",
+ "drying": "Drying",
+ "heating": "Heating",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Both",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Not charging",
+ "disconnected": "Disconnected",
+ "connected": "Connected",
+ "hot": "Hot",
+ "no_light": "No light",
+ "light_detected": "Light detected",
+ "not_moving": "Not moving",
+ "unplugged": "Unplugged",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Feeler beim verbannen",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Ongëlteg Authentifikatioun",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
- "device_is_already_configured": "Device is already configured",
+ "above_horizon": "Above horizon",
+ "below_horizon": "Below horizon",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Disarming",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
+ "device_is_already_configured": "Apparat ass scho konfiguréiert",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "Keng Apparater am Netzwierk fonnt.",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
"camera_stream_authentication_failed": "Camera stream authentication failed",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "Enable camera live view",
- "username": "Benotzernumm",
+ "username": "Username",
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
- "abort_single_instance_allowed": "Scho konfiguréiert. Nëmmen eng eenzeg Konfiguratioun ass méiglech.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Soll den Ariichtungs Prozess gestart ginn?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Onerwaarte Feeler",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Ongëltege Numm oder IP Adresse.",
"device_not_supported": "Apparat net ënnerstëtzt.",
+ "invalid_authentication": "Ongëlteg Authentifikatioun",
"name_model_at_host": "{name} ({model} um {host})",
"authenticate_to_the_device": "Mam Apparat verbannen",
"finish_title": "Numm auswielen fir den Apparat",
@@ -2257,68 +2468,27 @@
"yes_do_it": "Jo, mach ët",
"unlock_the_device_optional": "Apparat entspären (optionell)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API Schlëssel",
- "configure_daikin_ac": "Daikin AC konfiguréieren",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Aktioun fir den agestallte wert",
- "step_value": "Step value",
- "template_number": "Nummer template",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template fir eng nummer",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "2-Faktor Code",
+ "two_factor_authentication": "2-Faktor-Authentifikatioun",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Mam Ring Kont verbannen",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2345,48 +2515,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Bridge ass schon konfiguréiert",
- "no_deconz_bridges_discovered": "Keng dECONZ bridges fonnt",
- "abort_no_hardware_available": "Keng Radio Hardware verbonne mat deCONZ",
- "abort_updated_instance": "deCONZ Instanz gouf mat der neier Adress vum Apparat geännert",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Konnt keen API Schlëssel kréien",
- "link_with_deconz": "Mat deCONZ verbannen",
- "select_discovered_deconz_gateway": "Entdeckte deCONZ Gateway auswielen",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Entdeckten ESPHome Provider",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API Schlëssel",
+ "configure_daikin_ac": "Daikin AC konfiguréieren",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meterologeschen Institut",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "2-Faktor Code",
- "two_factor_authentication": "2-Faktor-Authentifikatioun",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Mam Ring Kont verbannen",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2394,132 +2563,165 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Entdeckten ESPHome Provider",
+ "bridge_is_already_configured": "Bridge ass schon konfiguréiert",
+ "no_deconz_bridges_discovered": "Keng dECONZ bridges fonnt",
+ "abort_no_hardware_available": "Keng Radio Hardware verbonne mat deCONZ",
+ "abort_updated_instance": "deCONZ Instanz gouf mat der neier Adress vum Apparat geännert",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Konnt keen API Schlëssel kréien",
+ "link_with_deconz": "Mat deCONZ verbannen",
+ "select_discovered_deconz_gateway": "Entdeckte deCONZ Gateway auswielen",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Aktioun fir den agestallte wert",
+ "step_value": "Step value",
+ "template_number": "Nummer template",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template fir eng nummer",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Gebuert Message aktivéieren",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Will Message aktivéieren",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
"data_app_load_method": "Applications list load mode at startup",
"data_use_local_logo": "Allow use of local logo images",
"data_power_on_method": "Method used to turn on TV",
@@ -2543,28 +2745,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Gebuert Message aktivéieren",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Will Message aktivéieren",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "deCONZ Clip Sensoren erlaben",
- "allow_deconz_light_groups": "deCONZ Luucht Gruppen erlaben",
- "data_allow_new_devices": "Erlaabt automatesch dobäisetze vu neien Apparater",
- "deconz_devices_description": "Visibilitéit vun deCONZ Apparater konfiguréieren",
- "deconz_options": "deCONZ Optiounen",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2572,26 +2752,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "deCONZ Clip Sensoren erlaben",
+ "allow_deconz_light_groups": "deCONZ Luucht Gruppen erlaben",
+ "data_allow_new_devices": "Erlaabt automatesch dobäisetze vu neien Apparater",
+ "deconz_devices_description": "Visibilitéit vun deCONZ Apparater konfiguréieren",
+ "deconz_options": "deCONZ Optiounen",
"select_test_server": "Test Server auswielen",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2686,6 +2951,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "{entity_name} Hellegkeet reduzéieren",
+ "increase_entity_name_brightness": "{entity_name} Hellegkeet erhéijen",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "Éischte Knäppchen",
+ "second_button": "Zweete Knäppchen",
+ "third_button": "Drëtte Knäppchen",
+ "fourth_button": "Véierte Knäppchen",
+ "fifth_button": "Fënnefte Knäppchen",
+ "sixth_button": "Sechste Knäppchen",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" no laangem unhalen lassgelooss",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} ass doheem",
+ "entity_name_is_not_home": "{entity_name} ass net doheem",
+ "entity_name_enters_a_zone": "{entity_name} kënnt an eng Zone",
+ "entity_name_leaves_a_zone": "{entity_name} verléisst eng Zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Looss {entity_name} botzen",
+ "action_type_dock": "Schéck {entity_name} zéreck zur Statioun",
+ "entity_name_is_cleaning": "{entity_name} botzt",
+ "entity_name_is_docked": "{entity_name} ass an der Statioun",
+ "entity_name_started_cleaning": "{entity_name} huet ugefaange mam botzen",
+ "entity_name_docked": "{entity_name} an der Statioun",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "{entity_name} spären",
+ "open_entity_name": "{entity_name} opmaachen",
+ "unlock_entity_name": "{entity_name} entspären",
+ "entity_name_is_locked": "{entity_name} ass gespaart",
+ "entity_name_is_open": "{entity_name} ass op",
+ "entity_name_is_unlocked": "{entity_name} ass entspaart",
+ "entity_name_locked": "{entity_name} gespaart",
+ "entity_name_opened": "{entity_name} gouf opgemaach",
+ "entity_name_unlocked": "{entity_name} entspaart",
"action_type_set_hvac_mode": "HVAC Modus ännere fir {entity_name}",
"change_preset_on_entity_name": "Preset ännere fir {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2693,8 +3011,22 @@
"entity_name_measured_humidity_changed": "{entity_name} gemoosse Fiichtegkeet geännert",
"entity_name_measured_temperature_changed": "{entity_name} gemoossen Temperatur geännert",
"entity_name_hvac_mode_changed": "{entity_name} HVAC Modus geännert",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "{entity_name} zoumaachen",
+ "close_entity_name_tilt": "{entity_name} Kipp zoumaachen",
+ "open_entity_name_tilt": "{entity_name} op Kipp stelle",
+ "set_entity_name_position": "{entity_name} positioun programméieren",
+ "set_entity_name_tilt_position": "{entity_name} kipp positioun programméieren",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} ass zou",
+ "entity_name_is_closing": "{entity_name} gëtt zougemaach",
+ "entity_name_is_opening": "{entity_name} gëtt opgemaach",
+ "current_entity_name_position_is": "Aktuell {entity_name} positioun ass",
+ "condition_type_is_tilt_position": "Aktuell {entity_name} kipp positioun ass",
+ "entity_name_closed": "{entity_name} gouf zougemaach",
+ "entity_name_closing": "{entity_name} mecht zou",
+ "entity_name_opening": "{entity_name} mecht op",
+ "entity_name_position_changes": "{entity_name} positioun ännert",
+ "entity_name_tilt_position_changes": "{entity_name} kipp positioun geännert",
"entity_name_battery_is_low": "{entity_name} Batterie ass niddereg",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2703,7 +3035,6 @@
"entity_name_is_detecting_gas": "{entity_name} entdeckt Gas",
"entity_name_is_hot": "{entity_name} ass waarm",
"entity_name_is_detecting_light": "{entity_name} entdeckt Luucht",
- "entity_name_is_locked": "{entity_name} ass gespaart",
"entity_name_is_moist": "{entity_name} ass fiicht",
"entity_name_is_detecting_motion": "{entity_name} entdeckt Beweegung",
"entity_name_is_moving": "{entity_name} beweegt sech",
@@ -2721,11 +3052,9 @@
"entity_name_is_not_cold": "{entity_name} ass net kal",
"entity_name_is_disconnected": "{entity_name} ass déconnectéiert",
"entity_name_is_not_hot": "{entity_name} ass net waarm",
- "entity_name_is_unlocked": "{entity_name} ass entspaart",
"entity_name_is_dry": "{entity_name} ass dréchen",
"entity_name_is_not_moving": "{entity_name} beweegt sech net",
"entity_name_is_not_occupied": "{entity_name} ass fräi",
- "entity_name_is_closed": "{entity_name} ass zou",
"entity_name_is_unplugged": "{entity_name} ass net ugeschloss",
"entity_name_is_not_powered": "{entity_name} ass net alimentéiert",
"entity_name_is_not_present": "{entity_name} ass net präsent",
@@ -2733,7 +3062,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} ass sécher",
"entity_name_is_occupied": "{entity_name} ass besat",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} ass ugeschloss",
"entity_name_is_powered": "{entity_name} ass alimentéiert",
"entity_name_is_present": "{entity_name} ass präsent",
@@ -2752,7 +3080,6 @@
"entity_name_started_detecting_gas": "{entity_name} huet ugefaangen Gas z'entdecken",
"entity_name_became_hot": "{entity_name} gouf waarm",
"entity_name_started_detecting_light": "{entity_name} huet ugefange Luucht z'entdecken",
- "entity_name_locked": "{entity_name} gespaart",
"entity_name_became_moist": "{entity_name} gouf fiicht",
"entity_name_started_detecting_motion": "{entity_name} huet ugefaange Beweegung z'entdecken",
"entity_name_started_moving": "{entity_name} huet ugefaangen sech ze beweegen",
@@ -2763,18 +3090,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} huet opgehale Problemer z'entdecken",
"entity_name_stopped_detecting_smoke": "{entity_name} huet opgehale Damp z'entdecken",
"entity_name_stopped_detecting_sound": "{entity_name} huet opgehale Toun z'entdecken",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} huet opgehale Vibratiounen z'entdecken",
"entity_name_battery_normal": "{entity_name} Batterie normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} gouf net kal",
"entity_name_disconnected": "{entity_name} déconnectéiert",
"entity_name_became_not_hot": "{entity_name} gouf net waarm",
- "entity_name_unlocked": "{entity_name} entspaart",
"entity_name_became_dry": "{entity_name} gouf dréchen",
"entity_name_stopped_moving": "{entity_name} huet opgehale sech ze beweegen",
"entity_name_became_not_occupied": "{entity_name} gouf fräi",
- "entity_name_closed": "{entity_name} gouf zougemaach",
"entity_name_unplugged": "{entity_name} net ugeschloss",
"entity_name_not_powered": "{entity_name} net alimentéiert",
"entity_name_not_present": "{entity_name} net präsent",
@@ -2782,54 +3106,23 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} gouf sécher",
"entity_name_became_occupied": "{entity_name} gouf besat",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} ugeschloss",
"entity_name_powered": "{entity_name} alimentéiert",
"entity_name_present": "{entity_name} präsent",
"entity_name_started_detecting_problem": "{entity_name} huet ugefaange Problemer z'entdecken",
- "entity_name_started_running": "{entity_name} started running",
- "entity_name_started_detecting_smoke": "{entity_name} huet ugefaangen Damp z'entdecken",
- "entity_name_started_detecting_sound": "{entity_name} huet ugefaangen Toun z'entdecken",
- "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
- "entity_name_became_unsafe": "{entity_name} gouf onsécher",
- "trigger_type_update": "{entity_name} got an update available",
- "entity_name_started_detecting_vibration": "{entity_name} huet ugefaange Vibratiounen z'entdecken",
- "entity_name_is_buffering": "{entity_name} is buffering",
- "entity_name_is_idle": "{entity_name} waart",
- "entity_name_is_paused": "{entity_name} is paused",
- "entity_name_is_playing": "{entity_name} spillt",
- "entity_name_starts_buffering": "{entity_name} starts buffering",
- "entity_name_becomes_idle": "{entity_name} becomes idle",
- "entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} ass doheem",
- "entity_name_is_not_home": "{entity_name} ass net doheem",
- "entity_name_enters_a_zone": "{entity_name} kënnt an eng Zone",
- "entity_name_leaves_a_zone": "{entity_name} verléisst eng Zone",
- "decrease_entity_name_brightness": "{entity_name} Hellegkeet reduzéieren",
- "increase_entity_name_brightness": "{entity_name} Hellegkeet erhéijen",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "{entity_name} fir ënnerwee uschalten",
- "arm_entity_name_home": "{entity_name} fir doheem uschalten",
- "arm_entity_name_night": "{entity_name} fir Nuecht uschalten",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "{entity_name} entschärfen",
- "trigger_entity_name": "{entity_name} ausléisen",
- "entity_name_is_armed_away": "{entity_name} ass ugeschalt fir Ennerwee",
- "entity_name_is_armed_home": "{entity_name} ass ugeschalt fir Doheem",
- "entity_name_is_armed_night": "{entity_name} ass ugeschalt fir Nuecht",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} ass entschärft",
- "entity_name_is_triggered": "{entity_name} ass ausgeléist",
- "entity_name_armed_away": "{entity_name} ugeschalt fir Ennerwee",
- "entity_name_armed_home": "{entity_name} ugeschalt fir Doheem",
- "entity_name_armed_night": "{entity_name} ugeschalt fir Nuecht",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} entschärft",
- "entity_name_triggered": "{entity_name} ausgeléist",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "entity_name_started_running": "{entity_name} started running",
+ "entity_name_started_detecting_smoke": "{entity_name} huet ugefaangen Damp z'entdecken",
+ "entity_name_started_detecting_sound": "{entity_name} huet ugefaangen Toun z'entdecken",
+ "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
+ "entity_name_became_unsafe": "{entity_name} gouf onsécher",
+ "entity_name_started_detecting_vibration": "{entity_name} huet ugefaange Vibratiounen z'entdecken",
+ "entity_name_is_buffering": "{entity_name} is buffering",
+ "entity_name_is_idle": "{entity_name} waart",
+ "entity_name_is_paused": "{entity_name} is paused",
+ "entity_name_is_playing": "{entity_name} spillt",
+ "entity_name_starts_buffering": "{entity_name} starts buffering",
+ "entity_name_becomes_idle": "{entity_name} becomes idle",
+ "entity_name_starts_playing": "{entity_name} starts playing",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2839,35 +3132,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "{entity_name} zoumaachen",
- "close_entity_name_tilt": "{entity_name} Kipp zoumaachen",
- "open_entity_name": "{entity_name} opmaachen",
- "open_entity_name_tilt": "{entity_name} op Kipp stelle",
- "set_entity_name_position": "{entity_name} positioun programméieren",
- "set_entity_name_tilt_position": "{entity_name} kipp positioun programméieren",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} gëtt zougemaach",
- "entity_name_is_opening": "{entity_name} gëtt opgemaach",
- "current_entity_name_position_is": "Aktuell {entity_name} positioun ass",
- "condition_type_is_tilt_position": "Aktuell {entity_name} kipp positioun ass",
- "entity_name_closing": "{entity_name} mecht zou",
- "entity_name_opening": "{entity_name} mecht op",
- "entity_name_position_changes": "{entity_name} positioun ännert",
- "entity_name_tilt_position_changes": "{entity_name} kipp positioun geännert",
- "first_button": "Éischte Knäppchen",
- "second_button": "Zweete Knäppchen",
- "third_button": "Drëtte Knäppchen",
- "fourth_button": "Fourth button",
- "fifth_button": "Fënnefte Knäppchen",
- "sixth_button": "Sechste Knäppchen",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" no laangem unhalen lassgelooss",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Béid Knäppchen",
"bottom_buttons": "Ënnescht Knäppchen",
"seventh_button": "Seventh button",
@@ -2893,13 +3157,6 @@
"trigger_type_remote_rotate_from_side": "Apparat rotéiert vun der \"Säit\" 6 op \"{subtype}\"",
"device_turned_clockwise": "Apparat mam Auere Wee gedréint",
"device_turned_counter_clockwise": "Apparat géint den Auere Wee gedréint",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Looss {entity_name} botzen",
- "action_type_dock": "Schéck {entity_name} zéreck zur Statioun",
- "entity_name_is_cleaning": "{entity_name} botzt",
- "entity_name_is_docked": "{entity_name} ass an der Statioun",
- "entity_name_started_cleaning": "{entity_name} huet ugefaange mam botzen",
- "entity_name_docked": "{entity_name} an der Statioun",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2910,28 +3167,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "{entity_name} spären",
- "unlock_entity_name": "{entity_name} entspären",
+ "arm_entity_name_away": "{entity_name} fir ënnerwee uschalten",
+ "arm_entity_name_home": "{entity_name} fir doheem uschalten",
+ "arm_entity_name_night": "{entity_name} fir Nuecht uschalten",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "{entity_name} entschärfen",
+ "trigger_entity_name": "{entity_name} ausléisen",
+ "entity_name_is_armed_away": "{entity_name} ass ugeschalt fir Ennerwee",
+ "entity_name_is_armed_home": "{entity_name} ass ugeschalt fir Doheem",
+ "entity_name_is_armed_night": "{entity_name} ass ugeschalt fir Nuecht",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} ass entschärft",
+ "entity_name_is_triggered": "{entity_name} ass ausgeléist",
+ "entity_name_armed_away": "{entity_name} ugeschalt fir Ennerwee",
+ "entity_name_armed_home": "{entity_name} ugeschalt fir Doheem",
+ "entity_name_armed_night": "{entity_name} ugeschalt fir Nuecht",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} entschärft",
+ "entity_name_triggered": "{entity_name} ausgeléist",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Mellen",
+ "warn": "Warnen",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "Mat iergendenger/spezifizéierter Säit(en) aktivéiert",
+ "device_dropped": "Apparat gefall",
+ "device_flipped_subtype": "Apparat ëmgedréint \"{subtype}\"",
+ "device_knocked_subtype": "Apparat geklappt \"{subtype}\"",
+ "device_offline": "Apparat net ereechbar",
+ "device_rotated_subtype": "Apparat gedréint \"{subtype}\"",
+ "device_slid_subtype": "Apparat gerutscht \"{subtype}\"",
+ "device_tilted": "Apparat ass gekippt",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3062,52 +3345,21 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3124,6 +3376,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3134,102 +3387,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3242,25 +3404,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3286,27 +3493,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "D'payload evaluéieren",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3345,40 +3833,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3386,77 +3840,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "D'payload evaluéieren",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3465,83 +3858,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/lt/lt.json b/packages/core/src/hooks/useLocale/locales/lt/lt.json
index 9b681c64..d655c581 100644
--- a/packages/core/src/hooks/useLocale/locales/lt/lt.json
+++ b/packages/core/src/hooks/useLocale/locales/lt/lt.json
@@ -220,6 +220,7 @@
"name": "Vardas",
"optional": "Neprivaloma",
"default": "Numatytas",
+ "ui_common_dont_save": "Neišsaugokite",
"select_media_player": "Pasirinkite medijos grotuvą",
"media_browse_not_supported": "Medijos grotuvas nepalaiko medijos naršymo.",
"pick_media": "Pasirinkti mediją",
@@ -642,8 +643,9 @@
"line_line_column_column": "eilutė: {line}, stulpelis: {column}",
"last_changed": "Paskutinį kartą pakeista",
"last_updated": "Paskutinį kartą atnaujinta",
- "remaining_time": "Likęs laikas",
+ "time_left": "Likęs laikas",
"install_status": "Diegimo būsena",
+ "ui_components_multi_textfield_add_item": "Pridėti {item}",
"safe_mode": "Saugus režimas",
"all_yaml_configuration": "Visa YAML konfigūracija",
"domain": "Domenas",
@@ -747,6 +749,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Prieš atnaujindami sukurkite atsarginę kopiją",
"update_instructions": "Atnaujinimo instrukcijos",
"current_activity": "Dabartinė veikla",
+ "status": "Būsena 2",
"vacuum_cleaner_commands": "Siurblio komandos:",
"fan_speed": "Ventiliatoriaus greitis",
"clean_spot": "Švari vieta",
@@ -781,7 +784,7 @@
"default_code": "Numatytasis kodas",
"editor_default_code_error": "Kodas neatitinka kodo formato",
"entity_id": "Subjekto ID",
- "unit_of_measurement": "Matavimo vienetas",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "Kritulių vienetas",
"display_precision": "Rodomas tikslumas",
"default_value": "Numatytasis ({value})",
@@ -802,7 +805,7 @@
"cold": "Šaltis",
"connectivity": "Ryšys",
"gas": "Dujos",
- "heat": "Karštis",
+ "heat": "Šildyti",
"light": "Šviesa",
"moisture": "Drėgmė",
"motion": "Judesys",
@@ -861,14 +864,14 @@
"managed_in_configuration_yaml": "Valdoma per configuration.yaml",
"unsupported": "Nepalaikoma",
"more_info_about_entity": "Daugiau informacijos apie subjektą",
- "restart_home_assistant": "Paleisti „Home Assistant“ iš naujo?",
+ "restart_home_assistant": "Paleisti Home Assistant iš naujo?",
"advanced_options": "Išplėstiniai nustatymai",
"quick_reload": "Greitas perkrovimas",
- "reload_description": "Iš naujo įkelia visus galimus scenarijus.",
+ "reload_description": "Iš naujo įkelia laikmačius iš YAML konfigūracijos.",
"reloading_configuration": "Iš naujo įkeliama konfigūracija",
"failed_to_reload_configuration": "Nepavyko iš naujo įkelti konfigūracijos",
"restart_description": "Pertraukia visas veikiančias automatizacijas ir scenarijus.",
- "restart_failed": "Nepavyko paleisti „Home Assistant“ iš naujo",
+ "restart_failed": "Nepavyko paleisti Home Assistant iš naujo",
"stop_home_assistant": "Sustabdyti „Home Assistant“?",
"reboot_system": "Paleisti sistemą iš naujo?",
"reboot": "Paleisti iš naujo",
@@ -879,7 +882,7 @@
"shutdown_failed": "Nepavyko išjungti sistemos",
"restart_safe_mode_title": "Iš naujo paleiskite „Home Assistant“ saugiuoju režimu",
"restart_safe_mode_confirm_title": "Iš naujo paleisti „Home Assistant“ saugiuoju režimu?",
- "restart_safe_mode_failed": "Nepavyko iš naujo paleisti „Home Assistant“",
+ "restart_safe_mode_failed": "Nepavyko iš naujo paleisti Home Assistant",
"name_aliases": "{name} slapyvardžiai",
"alias": "Pseudonimas",
"remove_alias": "Pašalinti slapyvardį",
@@ -894,8 +897,8 @@
"password": "Slaptažodis",
"regex_pattern": "Laiko modelis",
"used_for_client_side_validation": "Naudojamas kliento pusės patvirtinimui",
- "minimum_value": "Mažiausia vertė",
- "maximum_value": "Didžiausia vertė",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Įvesties laukas",
"slider": "Slankiklis",
"step_size": "Žingsnio dydis",
@@ -1056,7 +1059,7 @@
"failed_to_fetch_logs": "Nepavyko gauti žurnalų",
"retry": "Kartoti",
"download_logs": "Atsisiųsti žurnalus",
- "error_installing_home_assistant": "Klaida diegiant „Home Assistant“",
+ "error_installing_home_assistant": "Klaida diegiant Home Assistant",
"read_our_vision": "Perskaitykite mūsų viziją",
"join_our_community": "Prisijunkite prie mūsų bendruomenės",
"download_our_app": "Atsisiųsti mūsų programėlę",
@@ -1212,7 +1215,7 @@
"ui_panel_lovelace_editor_edit_view_type_helper_sections": "Negalite pakeisti rodinio, kad būtų naudojamas rodinio tipas „skyriai“, nes perkėlimas dar nepalaikomas. Jei norite eksperimentuoti su „skyrių“ rodiniu, pradėkite nuo nulio.",
"card_configuration": "Kortelės konfigūracija",
"type_card_configuration": "{type} Kortelės konfigūracija",
- "edit_card_pick_card": "Kurią kortelę nurėtumėte pridėti?",
+ "edit_card_pick_card": "Pridėti prie prietaisų skydelio",
"toggle_editor": "Perjungti redaktorių",
"you_have_unsaved_changes": "Turite neišsaugotų pakeitimų",
"edit_card_confirm_cancel": "Ar jūs tikrai norite atšaukti?",
@@ -1417,6 +1420,12 @@
"graph_type": "Grafiko tipas",
"to_do_list": "Užduočių sąrašas",
"hide_completed_items": "Slėpti užbaigtus elementus",
+ "ui_panel_lovelace_editor_card_todo_list_display_order": "Ekrano tvarka",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc": "Abėcėlės tvarka (A-Z)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_desc": "Abėcėlės tvarka (Z-A)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc": "Atlikimo data (anksčiausia pirmoji)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc": "Atlikimo data (paskutinė pirmoji)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_none": "Numatytoji",
"climate": "Termostatas",
"thermostat_show_current_as_primary": "Rodyti esamą temperatūrą kaip pirminę informaciją",
"tile": "Plytelė",
@@ -1523,140 +1532,119 @@
"invalid_display_format": "Netinkamas rodymo formatas",
"compare_data": "Palyginti duomenis",
"reload_ui": "Perkrauti naudotojo sąsają",
- "tag": "Žyma",
- "input_datetime": "Įveskite datą ir laiką",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Laikmatis",
- "local_calendar": "Vietinis kalendorius",
- "intent": "Intent",
- "device_tracker": "Prietaiso sekimo priemonė",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Įvesties loginė vertė",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "tag": "Žyma",
+ "media_source": "Media Source",
+ "mobile_app": "Programėlė mobiliesiems",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostika",
+ "filesize": "Failo dydis",
+ "group": "Grupė",
+ "binary_sensor": "Dvejetainis jutiklis",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Įvesties pasirinkimas",
+ "device_automation": "Device Automation",
+ "person": "Asmuo",
+ "input_button": "Įvesties mygtukas",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Registratorius",
+ "script": "Scenarijus",
"fan": "Ventiliatorius",
- "weather": "Orai",
- "camera": "Kamera",
+ "scene": "Scene",
"schedule": "Tvarkaraštis",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automatizavimas",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Orai",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Pokalbis",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Įveskite tekstą",
- "valve": "Vožtuvas",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "binary_sensor": "Dvejetainis jutiklis",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automatizavimas",
+ "system_log": "System Log",
+ "cover": "Viršelis",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Vožtuvas",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Viršelis",
- "samsungtv_smart": "SamsungTV Smart",
- "google_assistant": "Google Assistant",
- "zone": "Zona",
- "auth": "Auth",
- "event": "Įvykis",
- "home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Jungiklis",
- "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
- "google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Nuolatinis pranešimas",
- "trace": "Trace",
- "remote": "Nuotolinis",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Vietinis kalendorius",
"tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Skaitiklis",
- "filesize": "Failo dydis",
+ "siren": "Sirena",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Žoliapjovė",
+ "system_monitor": "System Monitor",
"image_upload": "Image Upload",
- "recorder": "Recorder",
"home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Įvesties loginė vertė",
- "lawn_mower": "Žoliapjovė",
- "input_select": "Įvesties pasirinkimas",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Programėlė mobiliesiems",
- "media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
- "shelly": "Shelly",
- "group": "Grupė",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "google_assistant": "Google Assistant",
+ "daikin_ac": "Daikin AC",
"fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostika",
- "person": "Asmuo",
- "localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Įveskite numerį",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Programos kredencialai",
- "siren": "Sirena",
- "bluetooth": "Bluetooth",
- "logger": "Registratorius",
- "input_button": "Įvesties mygtukas",
+ "device_tracker": "Prietaiso sekimo priemonė",
+ "remote": "Nuotolinis",
+ "home_assistant_cloud": "Home Assistant Cloud",
+ "persistent_notification": "Nuolatinis pranešimas",
"vacuum": "Dulkių siurblys",
"reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
+ "camera": "Kamera",
+ "hacs": "HACS",
+ "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
+ "google_assistant_sdk": "Google Assistant SDK",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Įveskite numerį",
+ "google_cast": "Google Cast",
"rpi_power_title": "Raspberry Pi maitinimo šaltinio tikrintuvas",
- "assist_satellite": "Assist satellite",
- "script": "Scenarijus",
- "ring": "Ring",
+ "conversation": "Pokalbis",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "recorder": "Recorder",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Įvykis",
+ "zone": "Zona",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
+ "timer": "Laikmatis",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Jungiklis",
+ "input_datetime": "Įveskite datą ir laiką",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Skaitiklis",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
"configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Programos kredencialai",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
+ "media_extractor": "Media Extractor",
+ "stream": "Stream",
+ "shelly": "Shelly",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Įveskite tekstą",
+ "localtuya": "LocalTuya integration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Aktyvumo kalorijos",
- "awakenings_count": "Prabudimai skaičiuojami",
- "battery_level": "Baterijos lygis",
- "bmi": "BMI",
- "body_fat": "Kūno riebalai",
- "calories": "Kalorijos",
- "calories_bmr": "Kalorijos BMR",
- "calories_in": "Kalorijos į",
- "floors": "Grindys",
- "minutes_after_wakeup": "Minutės po pabudimo",
- "minutes_fairly_active": "Minutės gana aktyvios",
- "minutes_lightly_active": "Minutės lengvai aktyvios",
- "minutes_sedentary": "Minutės sėdimos",
- "minutes_very_active": "Minutės labai aktyvios",
- "resting_heart_rate": "Širdies ritmas ramybės būsenoje",
- "sleep_efficiency": "Miego efektyvumas",
- "sleep_minutes_asleep": "Miego minutės",
- "sleep_minutes_awake": "Miego minutės pabudus",
- "sleep_minutes_to_fall_asleep_name": "Miego minutės iki užmigimo",
- "sleep_start_time": "Miego pradžios laikas",
- "sleep_time_in_bed": "Miego laikas lovoje",
- "steps": "Žingsniai",
"battery_low": "Baterija išsekusi",
"cloud_connection": "Debesų ryšys",
"humidity_warning": "Įspėjimas apie oro drėgmę",
@@ -1684,6 +1672,7 @@
"alarm_source": "Signalizacijos šaltinis",
"auto_off_at": "Automatinis išjungimas val",
"available_firmware_version": "Galima programinės-techninės įrangos versija",
+ "battery_level": "Baterijos lygis",
"this_month_s_consumption": "Šio mėnesio suvartojimas",
"today_s_consumption": "Šiandieninis vartojimas",
"total_consumption": "Bendras suvartojimas",
@@ -1701,7 +1690,7 @@
"auto_off_enabled": "Automatinis išjungimas įjungtas",
"auto_update_enabled": "Automatinis atnaujinimas įjungtas",
"baby_cry_detection": "Kūdikio verksmo aptikimas",
- "child_lock": "Užraktas nuo vaikų",
+ "child_lock": "Apsauga nuo vaikų",
"fan_sleep_mode": "Ventiliatoriaus miego režimas",
"led": "LED",
"motion_detection": "Judesio aptikimas",
@@ -1709,31 +1698,16 @@
"motion_sensor": "Judesio daviklis",
"smooth_transitions": "Sklandūs perėjimai",
"tamper_detection": "Pažeidimo aptikimas",
- "next_dawn": "Kita aušra",
- "next_dusk": "Kitas saulėlydis",
- "next_midnight": "Kitas vidurnaktis",
- "next_noon": "Kitas vidurdienis",
- "next_rising": "Kitas kilimas",
- "next_setting": "Kitas nustatymas",
- "solar_azimuth": "Saulės azimutas",
- "solar_elevation": "Saulės aukštis",
- "solar_rising": "Saulės kilimas",
- "day_of_week": "Savaitės diena",
- "illuminance": "Apšvieta",
- "noise": "Triukšmas",
- "overload": "Perkrova",
- "working_location": "Darbo vieta",
- "created": "Sukurta",
- "size": "Dydis",
- "size_in_bytes": "Dydis baitais",
- "compressor_energy_consumption": "Kompresoriaus energijos suvartojimas",
- "compressor_estimated_power_consumption": "Apskaičiuotas kompresoriaus energijos suvartojimas",
- "compressor_frequency": "Kompresoriaus dažnis",
- "cool_energy_consumption": "Šaltos energijos sąnaudos",
- "energy_consumption": "Energijos suvartojimas",
- "heat_energy_consumption": "Šilumos energijos suvartojimas",
- "inside_temperature": "Vidaus temperatūra",
- "outside_temperature": "Lauko temperatūra",
+ "calibration": "Kalibravimas",
+ "auto_lock_paused": "Automatinis užraktas pristabdytas",
+ "timeout": "Laikas baigėsi",
+ "unclosed_alarm": "Neuždaryta signalizacija",
+ "unlocked_alarm": "Atrakintas signalas",
+ "bluetooth_signal": "Bluetooth signalas",
+ "light_level": "Šviesos lygis",
+ "wi_fi_signal": "Wi-Fi signalas",
+ "momentary": "Momentinis",
+ "pull_retract": "Ištraukti / ištraukti",
"process_process": "Procesas {process}",
"disk_free_mount_point": "Laisvas diskas {mount_point}",
"disk_use_mount_point": "Disko naudojimas {mount_point}",
@@ -1753,34 +1727,76 @@
"swap_usage": "Swap panaudota",
"network_throughput_in_interface": "Tinklo pralaidumas į {interface}",
"network_throughput_out_interface": "Tinklo pralaidumas iš {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Pagalba vykstant",
- "preferred": "Pageidautina",
- "finished_speaking_detection": "Baigtas kalbėjimo aptikimas",
- "aggressive": "Agresyvus",
- "relaxed": "Atsipalaidavęs",
- "os_agent_version": "OS agento versija",
- "apparmor_version": "Apparmor versija",
- "cpu_percent": "Procesoriaus procentas",
- "disk_free": "Laisvas diskas",
- "disk_total": "Bendras disko kiekis",
- "disk_used": "Naudojamas diskas",
- "memory_percent": "Atminties procentas",
- "version": "Versija",
- "newest_version": "Naujausia versija",
+ "day_of_week": "Savaitės diena",
+ "illuminance": "Apšvieta",
+ "noise": "Triukšmas",
+ "overload": "Perkrova",
+ "activity_calories": "Aktyvumo kalorijos",
+ "awakenings_count": "Prabudimai skaičiuojami",
+ "bmi": "BMI",
+ "body_fat": "Kūno riebalai",
+ "calories": "Kalorijos",
+ "calories_bmr": "Kalorijos BMR",
+ "calories_in": "Kalorijos į",
+ "floors": "Grindys",
+ "minutes_after_wakeup": "Minutės po pabudimo",
+ "minutes_fairly_active": "Minutės gana aktyvios",
+ "minutes_lightly_active": "Minutės lengvai aktyvios",
+ "minutes_sedentary": "Minutės sėdimos",
+ "minutes_very_active": "Minutės labai aktyvios",
+ "resting_heart_rate": "Širdies ritmas ramybės būsenoje",
+ "sleep_efficiency": "Miego efektyvumas",
+ "sleep_minutes_asleep": "Miego minutės",
+ "sleep_minutes_awake": "Miego minutės pabudus",
+ "sleep_minutes_to_fall_asleep_name": "Miego minutės iki užmigimo",
+ "sleep_start_time": "Miego pradžios laikas",
+ "sleep_time_in_bed": "Miego laikas lovoje",
+ "steps": "Žingsniai",
"synchronize_devices": "Sinchronizuoti prietaisus",
- "estimated_distance": "Numatomas atstumas",
- "vendor": "Pardavėjas",
- "quiet": "Tyliai",
- "wake_word": "Pažadinimo žodis",
- "okay_nabu": "Gerai Nabu",
- "auto_gain": "Automatinis padidėjimas",
+ "ding": "Ding",
+ "last_recording": "Paskutinis įrašas",
+ "intercom_unlock": "Domofono atrakinimas",
+ "doorbell_volume": "Durų skambučio garsumas",
"mic_volume": "Mikrofono garsumas",
- "noise_suppression_level": "Triukšmo slopinimo lygis",
- "off": "Išjungta",
- "mute": "Nutildyti",
+ "voice_volume": "Balso garsumas",
+ "last_activity": "Paskutinė veikla",
+ "last_ding": "Paskutinis skambutis",
+ "last_motion": "Paskutinis judesys",
+ "wi_fi_signal_category": "Wi-Fi signalo kategorija",
+ "wi_fi_signal_strength": "Wi-Fi signalo stiprumas",
+ "in_home_chime": "Skambutis namuose",
+ "compressor_energy_consumption": "Kompresoriaus energijos suvartojimas",
+ "compressor_estimated_power_consumption": "Apskaičiuotas kompresoriaus energijos suvartojimas",
+ "compressor_frequency": "Kompresoriaus dažnis",
+ "cool_energy_consumption": "Šaltos energijos sąnaudos",
+ "energy_consumption": "Energijos suvartojimas",
+ "heat_energy_consumption": "Šilumos energijos suvartojimas",
+ "inside_temperature": "Vidaus temperatūra",
+ "outside_temperature": "Lauko temperatūra",
+ "device_admin": "Prietaiso administratorius",
+ "kiosk_mode": "Kiosko režimas",
+ "plugged_in": "Įkištas",
+ "load_start_url": "Įkelti pradžios URL",
+ "restart_browser": "Iš naujo paleiskite naršyklę",
+ "restart_device": "Iš naujo paleiskite įrenginį",
+ "send_to_background": "Siųsti į foną",
+ "bring_to_foreground": "Iškelti į pirmą planą",
+ "screenshot": "Ekrano kopija",
+ "overlay_message": "Perdangos pranešimas",
+ "screen_brightness": "Ekrano ryškumas",
+ "screen_off_timer": "Ekrano išjungimo laikmatis",
+ "screensaver_brightness": "Ekrano užsklandos ryškumas",
+ "screensaver_timer": "Ekrano užsklandos laikmatis",
+ "current_page": "Dabartinis puslapis",
+ "foreground_app": "Pagrindinė programa",
+ "internal_storage_free_space": "Laisva vieta vidinėje saugykloje",
+ "internal_storage_total_space": "Bendra vidinė saugykla",
+ "free_memory": "Laisva atmintis",
+ "total_memory": "Bendra atmintis",
+ "screen_orientation": "Ekrano padėtis",
+ "kiosk_lock": "Kiosko užraktas",
+ "maintenance_mode": "Priežiūros režimas",
+ "screensaver": "Ekrano užsklanda",
"animal": "Gyvūnas",
"detected": "Aptikta",
"animal_lens": "Gyvūno objektyvas 1",
@@ -1853,6 +1869,7 @@
"pir_sensitivity": "PIR jautrumas",
"zoom": "Padidinti",
"auto_quick_reply_message": "Automatinis greito atsakymo pranešimas",
+ "off": "Išjungta",
"auto_track_method": "Automatinis sekimo metodas",
"digital": "Skaitmeninis",
"digital_first": "Pirmiausia skaitmeninis",
@@ -1903,7 +1920,6 @@
"ptz_pan_position": "PTZ poslinkio padėtis",
"ptz_tilt_position": "PTZ pakreipimo padėtis",
"sd_hdd_index_storage": "SD {hdd_index} saugykla",
- "wi_fi_signal": "Wi-Fi signalas",
"auto_focus": "Automatinis fokusavimas",
"auto_tracking": "Automatinis sekimas",
"doorbell_button_sound": "Durų skambučio mygtuko garsas",
@@ -1920,6 +1936,49 @@
"record": "Įrašas",
"record_audio": "Įrašyti garsą",
"siren_on_event": "Sirena renginyje",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Sukurta",
+ "size": "Dydis",
+ "size_in_bytes": "Dydis baitais",
+ "assist_in_progress": "Pagalba vykstant",
+ "quiet": "Tyliai",
+ "preferred": "Pageidautina",
+ "finished_speaking_detection": "Baigtas kalbėjimo aptikimas",
+ "aggressive": "Agresyvus",
+ "relaxed": "Atsipalaidavęs",
+ "wake_word": "Pažadinimo žodis",
+ "okay_nabu": "Gerai Nabu",
+ "os_agent_version": "OS agento versija",
+ "apparmor_version": "Apparmor versija",
+ "cpu_percent": "Procesoriaus procentas",
+ "disk_free": "Laisvas diskas",
+ "disk_total": "Bendras disko kiekis",
+ "disk_used": "Naudojamas diskas",
+ "memory_percent": "Atminties procentas",
+ "version": "Versija",
+ "newest_version": "Naujausia versija",
+ "auto_gain": "Automatinis padidėjimas",
+ "noise_suppression_level": "Triukšmo slopinimo lygis",
+ "mute": "Nutildyti",
+ "bytes_received": "Gauti baitai",
+ "server_country": "Serverio šalis",
+ "server_id": "Serverio ID",
+ "server_name": "Serverio pavadinimas",
+ "ping": "Ping",
+ "upload": "Įkelti",
+ "bytes_sent": "Išsiųsti baitai",
+ "working_location": "Darbo vieta",
+ "next_dawn": "Kita aušra",
+ "next_dusk": "Kitas saulėlydis",
+ "next_midnight": "Kitas vidurnaktis",
+ "next_noon": "Kitas vidurdienis",
+ "next_rising": "Kitas kilimas",
+ "next_setting": "Kitas nustatymas",
+ "solar_azimuth": "Saulės azimutas",
+ "solar_elevation": "Saulės aukštis",
+ "solar_rising": "Saulės kilimas",
"heavy": "Sunkus",
"mild": "Švelnus",
"button_down": "Mygtukas žemyn",
@@ -1938,73 +1997,247 @@
"checking": "Tikrinama",
"closing": "Uždaroma",
"failure": "Nesėkmė",
- "ding": "Ding",
- "last_recording": "Paskutinis įrašas",
- "intercom_unlock": "Domofono atrakinimas",
- "doorbell_volume": "Durų skambučio garsumas",
- "voice_volume": "Balso garsumas",
- "last_activity": "Paskutinė veikla",
- "last_ding": "Paskutinis skambutis",
- "last_motion": "Paskutinis judesys",
- "wi_fi_signal_category": "Wi-Fi signalo kategorija",
- "wi_fi_signal_strength": "Wi-Fi signalo stiprumas",
- "in_home_chime": "Skambutis namuose",
- "calibration": "Kalibravimas",
- "auto_lock_paused": "Automatinis užraktas pristabdytas",
- "timeout": "Laikas baigėsi",
- "unclosed_alarm": "Neuždaryta signalizacija",
- "unlocked_alarm": "Atrakintas signalas",
- "bluetooth_signal": "Bluetooth signalas",
- "light_level": "Šviesos lygis",
- "momentary": "Momentinis",
- "pull_retract": "Ištraukti / ištraukti",
- "bytes_received": "Gauti baitai",
- "server_country": "Serverio šalis",
- "server_id": "Serverio ID",
- "server_name": "Serverio pavadinimas",
- "ping": "Ping",
- "upload": "Įkelti",
- "bytes_sent": "Išsiųsti baitai",
- "device_admin": "Prietaiso administratorius",
- "kiosk_mode": "Kiosko režimas",
- "plugged_in": "Įkištas",
- "load_start_url": "Įkelti pradžios URL",
- "restart_browser": "Iš naujo paleiskite naršyklę",
- "restart_device": "Iš naujo paleiskite prietaisą",
- "send_to_background": "Siųsti į foną",
- "bring_to_foreground": "Iškelti į pirmą planą",
- "screenshot": "Ekrano kopija",
- "overlay_message": "Perdangos pranešimas",
- "screen_brightness": "Ekrano ryškumas",
- "screen_off_timer": "Ekrano išjungimo laikmatis",
- "screensaver_brightness": "Ekrano užsklandos ryškumas",
- "screensaver_timer": "Ekrano užsklandos laikmatis",
- "current_page": "Dabartinis puslapis",
- "foreground_app": "Pagrindinė programa",
- "internal_storage_free_space": "Laisva vieta vidinėje saugykloje",
- "internal_storage_total_space": "Bendra vidinė saugykla",
- "free_memory": "Laisva atmintis",
- "total_memory": "Bendra atmintis",
- "screen_orientation": "Ekrano padėtis",
- "kiosk_lock": "Kiosko užraktas",
- "maintenance_mode": "Priežiūros režimas",
- "screensaver": "Ekrano užsklanda",
- "last_scanned_by_device_id_name": "Paskutinį kartą nuskaityta pagal prietaiso ID",
- "tag_id": "Žymos ID",
- "managed_via_ui": "Tvarkoma per naudotojo sąsają",
- "max_length": "Maksimalus ilgis",
- "min_length": "Minimalus ilgis",
- "pattern": "Šablonas",
- "minute": "Minutė",
- "second": "Sekundė",
- "timestamp": "Laiko žyma",
- "stopped": "Sustabdytas",
+ "estimated_distance": "Numatomas atstumas",
+ "vendor": "Pardavėjas",
+ "accelerometer": "Akselerometras",
+ "binary_input": "Dvejetainė įvestis",
+ "calibrated": "Kalibruotas",
+ "consumer_connected": "Prisijungė vartotojas",
+ "external_sensor": "Išorinis jutiklis",
+ "frost_lock": "Užraktas nuo užšalimo",
+ "opened_by_hand": "Atidaryta ranka",
+ "heat_required": "Reikalinga šiluma",
+ "ias_zone": "IAS zona",
+ "linkage_alarm_state": "Ryšio aliarmo būsena",
+ "mounting_mode_active": "Įjungtas montavimo režimas",
+ "open_window_detection_status": "Atidaryto lango aptikimo būsena",
+ "pre_heat_status": "Išankstinio pašildymo būsena",
+ "replace_filter": "Pakeiskite filtrą",
+ "valve_alarm": "Vožtuvo signalizacija",
+ "open_window_detection": "Atidaryto lango aptikimas",
+ "feed": "Maitinti",
+ "frost_lock_reset": "Užšalimo užrakto atstatymas",
+ "presence_status_reset": "Buvimo būsenos atstatymas",
+ "reset_summation_delivered": "Suvestinė iš naujo pateikta",
+ "self_test": "Savęs išbandymas",
+ "keen_vent": "Puiki ventiliacija",
+ "fan_group": "Ventiliatorių grupė",
+ "light_group": "Šviesų grupė",
+ "door_lock": "Durų užraktas",
+ "ambient_sensor_correction": "Aplinkos jutiklio korekcija",
+ "approach_distance": "Priėjimo atstumas",
+ "automatic_switch_shutoff_timer": "Automatinis išjungimo laikmatis",
+ "away_preset_temperature": "Iš anksto nustatyta temperatūra",
+ "boost_amount": "Padidinti kiekį",
+ "button_delay": "Mygtuko delsimas",
+ "local_default_dimming_level": "Vietinis numatytasis pritemdymo lygis",
+ "remote_default_dimming_level": "Numatytasis nuotolinio pritemdymo lygis",
+ "default_move_rate": "Numatytasis judėjimo greitis",
+ "detection_delay": "Aptikimo delsimas",
+ "maximum_range": "Maksimalus diapazonas",
+ "minimum_range": "Minimalus diapazonas",
+ "detection_interval": "Aptikimo intervalas",
+ "local_dimming_up_speed": "Vietinis pritemdymo greitis",
+ "remote_dimming_down_speed": "Nuotolinio pritemdymo greičio mažinimas",
+ "remote_dimming_up_speed": "Nuotolinis pritemdymo greitis",
+ "display_activity_timeout": "Ekrano veiklos skirtasis laikas",
+ "display_inactive_brightness": "Ekrano neaktyvus ryškumas",
+ "double_tap_down_level": "Dukart palieskite žemyn lygį",
+ "double_tap_up_level": "Dukart bakstelėkite aukštyn lygį",
+ "exercise_start_time": "Pratimų pradžios laikas",
+ "external_sensor_correction": "Išorinio jutiklio korekcija",
+ "external_temperature_sensor": "Išorinis temperatūros jutiklis",
+ "fade_time": "Išblukimo laikas",
+ "fallback_timeout": "Atsarginis skirtasis laikas",
+ "filter_life_time": "Filtro tarnavimo laikas",
+ "fixed_load_demand": "Fiksuotas apkrovos poreikis",
+ "frost_protection_temperature": "Apsaugos nuo užšalimo temperatūra",
+ "irrigation_cycles": "Laistymo ciklai",
+ "irrigation_interval": "Laistymo intervalas",
+ "irrigation_target": "Laistymo tikslas",
+ "led_color_when_off_name": "Numatytoji visų LED išjungimo spalva",
+ "led_color_when_on_name": "Numatytoji visų LED įjungimo spalva",
+ "led_intensity_when_off_name": "Numatytasis visų LED išjungimo intensyvumas",
+ "led_intensity_when_on_name": "Numatytasis visų LED įjungimo intensyvumas",
+ "load_level_indicator_timeout": "Apkrovos lygio indikatoriaus skirtasis laikas",
+ "load_room_mean": "Pakrovimo patalpos vidurkis",
+ "local_temperature_offset": "Vietinis temperatūros poslinkis",
+ "max_heat_setpoint_limit": "Maksimalios šilumos nustatytosios vertės riba",
+ "maximum_load_dimming_level": "Maksimalus apkrovos pritemdymo lygis",
+ "min_heat_setpoint_limit": "Min. šilumos nustatytosios vertės riba",
+ "minimum_load_dimming_level": "Minimalus apkrovos pritemdymo lygis",
+ "off_led_intensity": "Išjungtas LED intensyvumas",
+ "off_transition_time": "Perėjimo laikas išjungtas",
+ "on_led_intensity": "Įjungtas LED intensyvumas",
+ "on_level": "Ant lygmens",
+ "on_off_transition_time": "Įjungimo / išjungimo perėjimo laikas",
+ "on_transition_time": "Perėjimo metu",
+ "open_window_detection_guard_period_name": "Atidarytų langų aptikimo apsaugos laikotarpis",
+ "open_window_detection_threshold": "Atidaryto lango aptikimo slenkstis",
+ "open_window_event_duration": "Atidarymo lango įvykio trukmė",
+ "portion_weight": "Porcijos svoris",
+ "presence_detection_timeout": "Buvimo aptikimo skirtasis laikas",
+ "presence_sensitivity": "Buvimo jautrumas",
+ "quick_start_time": "Greitas pradžios laikas",
+ "ramp_rate_off_to_on_local_name": "Vietinis rampos greitis išjungtas ir įjungtas",
+ "ramp_rate_off_to_on_remote_name": "Nuotolinis rampos greitis išjungtas ir įjungtas",
+ "ramp_rate_on_to_off_local_name": "Vietinis rampos greitis įjungti ir išjungti",
+ "ramp_rate_on_to_off_remote_name": "Nuotolinio rampos dažnio įjungimas ir išjungimas",
+ "regulation_setpoint_offset": "Reguliavimo kontrolinės vertės poslinkis",
+ "regulator_set_point": "Reguliatoriaus nustatytas taškas",
+ "serving_to_dispense": "Patiekiama dozuoti",
+ "siren_time": "Sirenos laikas",
+ "start_up_color_temperature": "Paleidimo spalvos temperatūra",
+ "start_up_current_level": "Paleidimo srovės lygis",
+ "start_up_default_dimming_level": "Paleidimo numatytasis pritemdymo lygis",
+ "timer_duration": "Laikmačio trukmė",
+ "timer_time_left": "Liko laikmačio laikas",
+ "transmit_power": "Perduoti galią",
+ "valve_closing_degree": "Vožtuvo uždarymo laipsnis",
+ "irrigation_time": "Laistymo laikas 2",
+ "valve_opening_degree": "Vožtuvo atidarymo laipsnis",
+ "adaptation_run_command": "Adaptacijos vykdymo komanda",
+ "backlight_mode": "Foninio apšvietimo režimas",
+ "click_mode": "Spustelėkite režimą",
+ "control_type": "Valdymo tipas",
+ "decoupled_mode": "Atsietas režimas",
+ "default_siren_level": "Numatytasis sirenos lygis",
+ "default_siren_tone": "Numatytasis sirenos tonas",
+ "default_strobe": "Numatyta blykstė",
+ "default_strobe_level": "Numatytasis blykstės lygis",
+ "detection_distance": "Aptikimo atstumas",
+ "detection_sensitivity": "Aptikimo jautrumas",
+ "exercise_day_of_week_name": "Savaitės pratimų diena",
+ "external_temperature_sensor_type": "Išorinio temperatūros jutiklio tipas",
+ "external_trigger_mode": "Išorinis paleidimo režimas",
+ "heat_transfer_medium": "Šilumos perdavimo terpė",
+ "heating_emitter_type": "Šildymo emiterio tipas",
+ "heating_fuel": "Šildymo kuras",
+ "non_neutral_output": "Ne neutrali išvestis",
+ "irrigation_mode": "Laistymo režimas",
+ "keypad_lockout": "Klaviatūros blokavimas",
+ "dimming_mode": "Pritemdymo režimas",
+ "led_scaling_mode": "Led mastelio keitimo režimas",
+ "local_temperature_source": "Vietinis temperatūros šaltinis",
+ "monitoring_mode": "Stebėjimo režimas",
+ "off_led_color": "Išjungta LED spalva",
+ "on_led_color": "Įjungta LED spalva",
+ "operation_mode": "Veikimo režimas",
+ "output_mode": "Išvesties režimas",
+ "power_on_state": "Būsena įjungus į tinklą",
+ "regulator_period": "Reguliavimo laikotarpis",
+ "sensor_mode": "Jutiklio režimas",
+ "setpoint_response_time": "Nustatyto taško reakcijos laikas",
+ "smart_fan_led_display_levels_name": "Išmaniojo ventiliatoriaus LED ekrano lygiai",
+ "start_up_behavior": "Pradinis elgesys",
+ "switch_mode": "Perjungti režimą",
+ "switch_type": "Jungiklio tipas",
+ "thermostat_application": "Termostato taikymas",
+ "thermostat_mode": "Termostato režimas",
+ "valve_orientation": "Vožtuvo orientacija",
+ "viewing_direction": "Žiūrėjimo kryptis",
+ "weather_delay": "Oro vėlavimas",
+ "curtain_mode": "Užuolaidų režimas",
+ "ac_frequency": "Kintamosios srovės dažnis",
+ "adaptation_run_status": "Adaptacijos vykdymo būsena",
+ "in_progress": "Vykdoma",
+ "run_successful": "Paleisti sėkmingai",
+ "valve_characteristic_lost": "Prarasta vožtuvo charakteristika",
+ "analog_input": "Analoginis įėjimas",
+ "control_status": "Kontrolės būsena",
+ "device_run_time": "Prietaiso veikimo laikas",
+ "device_temperature": "Prietaiso temperatūra",
+ "target_distance": "Tikslinis atstumas",
+ "filter_run_time": "Filtro veikimo laikas",
+ "formaldehyde_concentration": "Formaldehido koncentracija",
+ "hooks_state": "Kabliukų būsena",
+ "hvac_action": "HVAC veiksmai",
+ "instantaneous_demand": "Momentinė paklausa",
+ "internal_temperature": "Vidinė temperatūra",
+ "irrigation_duration": "Laistymo trukmė 1",
+ "last_irrigation_duration": "Paskutinio laistymo trukmė",
+ "irrigation_end_time": "Laistymo pabaigos laikas",
+ "irrigation_start_time": "Laistymo pradžios laikas",
+ "last_feeding_size": "Paskutinio maitinimo dydis",
+ "last_feeding_source": "Paskutinis maitinimo šaltinis",
+ "last_illumination_state": "Paskutinė apšvietimo būsena",
+ "last_valve_open_duration": "Paskutinio vožtuvo atidarymo trukmė",
+ "leaf_wetness": "Lapų drėgnumas",
+ "load_estimate": "Apkrovos sąmata",
+ "floor_temperature": "Grindų temperatūra",
+ "lqi": "LQI",
+ "motion_distance": "Judėjimo atstumas",
+ "motor_stepcount": "Variklio žingsnių skaičius",
+ "open_window_detected": "Aptiktas atidarytas langas",
+ "overheat_protection": "Apsauga nuo perkaitimo",
+ "pi_heating_demand": "Pi šildymo poreikis",
+ "portions_dispensed_today": "Šiandien išdalintos porcijos",
+ "pre_heat_time": "Išankstinio pašildymo laikas",
+ "rssi": "RSSI",
+ "self_test_result": "Savęs patikrinimo rezultatas",
+ "setpoint_change_source": "Nustatytos vertės keitimo šaltinis",
+ "smoke_density": "Dūmų tankis",
+ "software_error": "Programinės įrangos klaida",
+ "good": "Gerai",
+ "critical_low_battery": "Kritiškai išsikrovęs akumuliatorius",
+ "encoder_jammed": "Kodavimo prietaisas užstrigo",
+ "invalid_clock_information": "Neteisinga laikrodžio informacija",
+ "invalid_internal_communication": "Netinkama vidinė komunikacija",
+ "low_battery": "Senka baterija",
+ "motor_error": "Variklio klaida",
+ "non_volatile_memory_error": "Nepastovios atminties klaida",
+ "radio_communication_error": "Radijo ryšio klaida",
+ "side_pcb_sensor_error": "Šoninio PCB jutiklio klaida",
+ "top_pcb_sensor_error": "Viršutinio PCB jutiklio klaida",
+ "unknown_hw_error": "Nežinoma HW klaida",
+ "soil_moisture": "Dirvožemio drėgmė",
+ "summation_delivered": "Suminis suvartojimas",
+ "summation_received": "Sumavimas gautas",
+ "tier_summation_delivered": "Pateiktas 6 pakopos sumavimas",
+ "timer_state": "Laikmačio būsena",
+ "weight_dispensed_today": "Šiandien išleistas svoris",
+ "window_covering_type": "Langų uždengimo tipas",
+ "adaptation_run_enabled": "Adaptacijos vykdymas įjungtas",
+ "aux_switch_scenes": "Aux jungiklio scenos",
+ "binding_off_to_on_sync_level_name": "Susiejama su sinchronizavimo lygiu",
+ "buzzer_manual_alarm": "Signalizacija rankiniu būdu",
+ "buzzer_manual_mute": "Garso signalo nutildymas rankiniu būdu",
+ "detach_relay": "Atjunkite relę",
+ "disable_clear_notifications_double_tap_name": "Išjunkite konfigūraciją 2x bakstelėkite, kad išvalytumėte pranešimus",
+ "disable_led": "Išjungti LED",
+ "double_tap_down_enabled": "Įjungtas dvigubas bakstelėjimas žemyn",
+ "double_tap_up_enabled": "Dukart bakstelėjimas įgalintas",
+ "double_up_full_name": "Dukart bakstelėkite – pilnas",
+ "enable_siren": "Įjungti sireną",
+ "external_window_sensor": "Išorinis lango jutiklis",
+ "distance_switch": "Atstumo jungiklis",
+ "firmware_progress_led": "Programinės-techninės įrangos pažangos šviesos diodas",
+ "heartbeat_indicator": "Širdies ritmo indikatorius",
+ "heat_available": "Galima šiluma",
+ "hooks_locked": "Kabliukai užrakinti",
+ "invert_switch": "Apverstas jungiklis",
+ "inverted": "Apverstas",
+ "led_indicator": "LED indikatorius",
+ "linkage_alarm": "Sujungimo signalizacija",
+ "local_protection": "Vietinė apsauga",
+ "mounting_mode": "Montavimo režimas",
+ "only_led_mode": "Tik 1 LED režimas",
+ "open_window": "Atidaryti langą",
+ "power_outage_memory": "Maitinimo nutraukimo atmintis",
+ "prioritize_external_temperature_sensor": "Pirmenybę teikti išoriniam temperatūros jutikliui",
+ "relay_click_in_on_off_mode_name": "Išjungti relės paspaudimą įjungus išjungimo režimą",
+ "smart_bulb_mode": "Išmaniosios lemputės režimas",
+ "smart_fan_mode": "Išmanusis ventiliatoriaus režimas",
+ "led_trigger_indicator": "LED paleidimo indikatorius",
+ "turbo_mode": "Turbo režimas",
+ "use_internal_window_detection": "Naudoti vidinį lango aptikimą",
+ "use_load_balancing": "Naudoti apkrovos balansavimą",
+ "valve_detection": "Vožtuvų aptikimas",
+ "window_detection": "Langų aptikimas",
+ "invert_window_detection": "Apversti lango aptikimą",
+ "available_tones": "Galimi tonai",
"device_trackers": "prietaisų stebėjimo priemonės",
"gps_accuracy": "GPS tikslumas",
- "paused": "Pristabdyta",
- "finishes_at": "Baigiasi",
- "remaining": "Likęs",
- "restore": "Atkurti",
"last_reset": "Paskutinis nustatymas iš naujo",
"state_class": "Būsenos klasė",
"measurement": "Matavimas",
@@ -2034,82 +2267,12 @@
"sound_pressure": "Garso slėgis",
"speed": "Greitis",
"sulphur_dioxide": "Sieros dioksidas",
+ "timestamp": "Laiko žyma",
"vocs": "VOCs",
"volume_flow_rate": "Vandens srauto greitis",
"stored_volume": "Išsaugotas tūris",
"weight": "Svoris",
- "cool": "Vėsinti",
- "fan_only": "Tik ventiliatorius",
- "heat_cool": "Šildyti/vėsinti",
- "aux_heat": "Papildomas šildymas",
- "current_humidity": "Dabartinė oro drėgmė",
- "current_temperature": "Current Temperature",
- "fan_mode": "Ventiliatoriaus režimas",
- "diffuse": "Difuzinis",
- "middle": "Vidurio",
- "top": "Į viršų",
- "current_action": "Dabartinis veiksmas",
- "cooling": "Vėsinimas",
- "defrosting": "Atitirpinimas",
- "drying": "Džiovinama",
- "heating": "Šildoma",
- "preheating": "Pakaitinimas",
- "max_target_humidity": "Maksimali tikslinė oro drėgmė",
- "max_target_temperature": "Maksimali tikslinė temperatūra",
- "min_target_humidity": "Minimali tikslinė oro drėgmė",
- "min_target_temperature": "Minimali tikslinė temperatūra",
- "comfort": "Komfortas",
- "eco": "Eko",
- "sleep": "Miegas",
- "presets": "Išankstiniai nustatymai",
- "horizontal_swing_mode": "Horizontalaus siūbavimo režimas",
- "swing_mode": "Svyravimo režimas",
- "both": "Abu",
- "horizontal": "Horizontalus",
- "upper_target_temperature": "Viršutinė tikslinė temperatūra",
- "lower_target_temperature": "Žemesnė tikslinė temperatūra",
- "target_temperature_step": "Tikslinės temperatūros žingsnis",
- "step": "Žingsnis",
- "not_charging": "Nekraunama",
- "disconnected": "Atjungtas",
- "connected": "Prijungtas",
- "hot": "Karštas",
- "no_light": "Nėra šviesos",
- "light_detected": "Aptikta šviesa",
- "locked": "Užrakinta",
- "unlocked": "Atrakinta",
- "not_moving": "Nejuda",
- "unplugged": "Ištrauktas",
- "not_running": "Neveikia",
- "safe": "Saugu",
- "unsafe": "Nesaugu",
- "tampering_detected": "Aptiktas pažeidimas",
- "box": "Dėžė",
- "above_horizon": "Virš horizonto",
- "below_horizon": "Žemiau horizonto",
- "buffering": "Buferis",
- "playing": "Groja",
- "standby": "Budėjimo režimas",
- "app_id": "Programos ID",
- "local_accessible_entity_picture": "Vietinis pasiekiamas subjekto paveikslėlis",
- "group_members": "Grupės nariai",
- "muted": "Nutildyta",
- "album_artist": "Albumo atlikėjas",
- "content_id": "Turinio ID",
- "content_type": "Turinio tipas",
- "channels": "Kanalai",
- "position_updated": "Pozicija atnaujinta",
- "series": "Serija",
- "all": "Visi",
- "one": "Vienas",
- "available_sound_modes": "Galimi garso režimai",
- "available_sources": "Galimi šaltiniai",
- "receiver": "Imtuvas",
- "speaker": "Garsiakalbis",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Maršrutizatorius",
+ "managed_via_ui": "Tvarkoma per naudotojo sąsają",
"color_mode": "Color Mode",
"brightness_only": "Tik ryškumas",
"hs": "HS",
@@ -2125,13 +2288,35 @@
"minimum_color_temperature_kelvin": "Minimali spalvų temperatūra (Kelvinas)",
"minimum_color_temperature_mireds": "Minimali spalvų temperatūra (mireds)",
"available_color_modes": "Galimi spalvų režimai",
- "available_tones": "Galimi tonai",
"docked": "Stotelėje",
"mowing": "Pjovimas",
+ "paused": "Pristabdyta",
"returning": "Sugrįžimas",
+ "max_length": "Maksimalus ilgis",
+ "min_length": "Minimalus ilgis",
+ "pattern": "Šablonas",
+ "running_automations": "Veikiančios automatikos",
+ "max_running_scripts": "Maksimalus paleisti scenarijus",
+ "run_mode": "Vykdymo režimas",
+ "parallel": "Lygiagretus",
+ "queued": "Eilėje",
+ "one": "Vienas",
+ "auto_update": "Automatinis atnaujinimas",
+ "installed_version": "Įdiegta versija",
+ "release_summary": "Išleidimo santrauka",
+ "release_url": "Išleidimo URL",
+ "skipped_version": "Praleista versija",
+ "firmware": "Programinė-techninė įranga",
"oscillating": "Svyruojantis",
"speed_step": "Greitis žingsnis",
"available_preset_modes": "Galimi iš anksto nustatyti režimai",
+ "minute": "Minutė",
+ "second": "Sekundė",
+ "next_event": "Kitas renginys",
+ "step": "Žingsnis",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Maršrutizatorius",
"clear_night": "Giedra, naktis",
"cloudy": "Debesuota",
"exceptional": "Išskirtinis",
@@ -2153,24 +2338,9 @@
"uv_index": "UV indeksas",
"wind_bearing": "Vėjo kryptis",
"wind_gust_speed": "Vėjo gūsių greitis",
- "auto_update": "Automatinis atnaujinimas",
- "in_progress": "Vykdoma",
- "installed_version": "Įdiegta versija",
- "release_summary": "Išleidimo santrauka",
- "release_url": "Išleidimo URL",
- "skipped_version": "Praleista versija",
- "firmware": "Programinė-techninė įranga",
- "armed_away": "Apsaugoti išvykus",
- "armed_custom_bypass": "Užrakinta su apėjimu",
- "armed_night": "Apsaugota naktis",
- "armed_vacation": "Apsaugotos atostogos",
- "disarming": "Nuginklavimas",
- "triggered": "Suaktyvintas",
- "changed_by": "Pakeitė",
- "code_for_arming": "Apsaugos kodas",
- "not_required": "Nereikalaujama",
- "code_format": "Kodo formatas",
"identify": "Identifikuoti",
+ "cleaning": "Valymas",
+ "returning_to_dock": "Grįžta į stotelę",
"recording": "Įrašoma",
"streaming": "Transliuojama",
"access_token": "Prieigos raktas",
@@ -2179,95 +2349,141 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Modelis",
+ "last_scanned_by_device_id_name": "Paskutinį kartą nuskaityta pagal prietaiso ID",
+ "tag_id": "Žymos ID",
+ "box": "Dėžė",
+ "jammed": "Užstrigęs",
+ "locked": "Užrakinta",
+ "locking": "Užrakinimas",
+ "unlocked": "Atrakinta",
+ "unlocking": "Atrakinimas",
+ "changed_by": "Pakeitė",
+ "code_format": "Kodo formatas",
+ "members": "Nariai",
+ "listening": "Klausymasis",
+ "processing": "Apdorojimas",
+ "responding": "Atsiliepiant",
+ "id": "ID",
+ "max_running_automations": "Maksimali veikimo automatika",
+ "cool": "Vėsinti",
+ "fan_only": "Tik ventiliatorius",
+ "heat_cool": "Šildyti/vėsinti",
+ "aux_heat": "Papildomas šildymas",
+ "current_humidity": "Dabartinė oro drėgmė",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Ventiliatoriaus režimas",
+ "diffuse": "Difuzinis",
+ "middle": "Vidurio",
+ "top": "Į viršų",
+ "current_action": "Dabartinis veiksmas",
+ "cooling": "Vėsinimas",
+ "defrosting": "Atitirpinimas",
+ "drying": "Džiovinama",
+ "heating": "Šildoma",
+ "preheating": "Pakaitinimas",
+ "max_target_humidity": "Maksimali tikslinė oro drėgmė",
+ "max_target_temperature": "Maksimali tikslinė temperatūra",
+ "min_target_humidity": "Minimali tikslinė oro drėgmė",
+ "min_target_temperature": "Minimali tikslinė temperatūra",
+ "comfort": "Komfortas",
+ "eco": "Eko",
+ "sleep": "Miegas",
+ "presets": "Išankstiniai nustatymai",
+ "horizontal_swing_mode": "Horizontalaus siūbavimo režimas",
+ "swing_mode": "Svyravimo režimas",
+ "both": "Abu",
+ "horizontal": "Horizontalus",
+ "upper_target_temperature": "Viršutinė tikslinė temperatūra",
+ "lower_target_temperature": "Žemesnė tikslinė temperatūra",
+ "target_temperature_step": "Tikslinės temperatūros žingsnis",
+ "stopped": "Sustabdytas",
+ "garage": "Garažas",
+ "not_charging": "Nekraunama",
+ "disconnected": "Atjungtas",
+ "connected": "Prijungtas",
+ "hot": "Karštas",
+ "no_light": "Nėra šviesos",
+ "light_detected": "Aptikta šviesa",
+ "not_moving": "Nejuda",
+ "unplugged": "Ištrauktas",
+ "not_running": "Neveikia",
+ "safe": "Saugu",
+ "unsafe": "Nesaugu",
+ "tampering_detected": "Aptiktas pažeidimas",
+ "buffering": "Buferis",
+ "playing": "Groja",
+ "standby": "Budėjimo režimas",
+ "app_id": "Programos ID",
+ "local_accessible_entity_picture": "Vietinis pasiekiamas subjekto paveikslėlis",
+ "group_members": "Grupės nariai",
+ "muted": "Nutildyta",
+ "album_artist": "Albumo atlikėjas",
+ "content_id": "Turinio ID",
+ "content_type": "Turinio tipas",
+ "channels": "Kanalai",
+ "position_updated": "Pozicija atnaujinta",
+ "series": "Serija",
+ "all": "Visi",
+ "available_sound_modes": "Galimi garso režimai",
+ "available_sources": "Galimi šaltiniai",
+ "receiver": "Imtuvas",
+ "speaker": "Garsiakalbis",
+ "tv": "TV",
"end_time": "Pabaigos laikas",
"start_time": "Pradžios laikas",
- "next_event": "Kitas renginys",
- "garage": "Garažas",
"event_type": "Įvykio tipas",
"event_types": "Įvykių tipai",
"doorbell": "Durų skambutis",
- "running_automations": "Veikiančios automatikos",
- "id": "ID",
- "max_running_automations": "Maksimali veikimo automatika",
- "run_mode": "Vykdymo režimas",
- "parallel": "Lygiagretus",
- "queued": "Eilėje",
- "cleaning": "Valymas",
- "returning_to_dock": "Grįžta į stotelę",
- "listening": "Klausymasis",
- "processing": "Apdorojimas",
- "responding": "Atsiliepiant",
- "max_running_scripts": "Maksimalus paleisti scenarijus",
- "jammed": "Užstrigęs",
- "locking": "Užrakinimas",
- "unlocking": "Atrakinimas",
- "members": "Nariai",
- "known_hosts": "Žinomi šeimininkai",
- "google_cast_configuration": "„Google Cast“ konfigūracija",
- "confirm_description": "Ar norite nustatyti {name} ?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Paskyra jau sukonfigūruota",
- "abort_already_in_progress": "Konfigūracijos procesas jau vyksta",
- "failed_to_connect": "Nepavyko prisijungti",
- "invalid_access_token": "Neteisingas prieigos raktas",
- "invalid_authentication": "Neteisingas autentifikavimas",
- "received_invalid_token_data": "Gauti neteisingi prieigos rakto duomenys.",
- "abort_oauth_failed": "Klaida gaunant prieigos raktą.",
- "timeout_resolving_oauth_token": "Baigėsi skirtasis OAuth prieigos raktas.",
- "abort_oauth_unauthorized": "OAuth prieigos teisės klaida gaunant prieigos raktą.",
- "re_authentication_was_successful": "Pakartotinis autentifikavimas buvo sėkmingas",
- "unexpected_error": "Netikėta klaida",
- "successfully_authenticated": "Sėkmingai autentifikuota",
- "link_fitbit": "Susieti Fitbit",
- "pick_authentication_method": "Pasirinkite autentifikavimo metodą",
- "authentication_expired_for_name": "Baigėsi {name} autentifikavimo galiojimas",
+ "above_horizon": "Virš horizonto",
+ "below_horizon": "Žemiau horizonto",
+ "armed_away": "Apsaugoti išvykus",
+ "armed_custom_bypass": "Užrakinta su apėjimu",
+ "armed_night": "Apsaugota naktis",
+ "armed_vacation": "Apsaugotos atostogos",
+ "disarming": "Nuginklavimas",
+ "triggered": "Suaktyvintas",
+ "code_for_arming": "Apsaugos kodas",
+ "not_required": "Nereikalaujama",
+ "finishes_at": "Baigiasi",
+ "remaining": "Likęs",
+ "restore": "Atkurti",
"device_is_already_configured": "Prietaisas jau sukonfigūruotas",
+ "failed_to_connect": "Nepavyko prisijungti",
"abort_no_devices_found": "Tinkle nerasta jokių prietaisų",
+ "re_authentication_was_successful": "Pakartotinis autentifikavimas buvo sėkmingas",
"re_configuration_was_successful": "Pakartotinis konfigūravimas buvo sėkmingas",
"connection_error_error": "Ryšio klaida: {error}",
"unable_to_authenticate_error": "Nepavyko autentifikuoti: {error}",
"camera_stream_authentication_failed": "Nepavyko patvirtinti kameros srauto",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "Įgalinti kameros tiesioginį vaizdą",
- "username": "Naudotojo vardas",
+ "username": "Username",
"camera_auth_confirm_description": "Įveskite įrenginio kameros paskyros kredencialus.",
"set_camera_account_credentials": "Nustatykite fotoaparato paskyros kredencialus",
"authenticate": "Autentifikuoti",
+ "authentication_expired_for_name": "Baigėsi {name} autentifikavimo galiojimas",
"host": "Host",
"reconfigure_description": "Atnaujinkite įrenginio {mac} konfigūraciją",
"reconfigure_tplink_entry": "Iš naujo sukonfigūruokite TPLink įrašą",
"abort_single_instance_allowed": "Jau sukonfigūruota. Galima tik viena konfigūracija.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Ar norite pradėti sąranką?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Klaida bendraujant su SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Nepalaikomas Switchbot tipas.",
+ "unexpected_error": "Netikėta klaida",
+ "authentication_failed_error_detail": "Autentifikavimas nepavyko: {error_detail}",
+ "error_encryption_key_invalid": "Netinkamas rakto ID arba šifravimo raktas",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Ar norite nustatyti {name} ?",
+ "switchbot_account_recommended": "„SwitchBot“ paskyra (rekomenduojama)",
+ "enter_encryption_key_manually": "Įveskite šifravimo raktą rankiniu būdu",
+ "encryption_key": "Šifravimo raktas",
+ "key_id": "Rakto ID",
+ "password_description": "Slaptažodis apsaugoti atsarginę kopiją.",
+ "mac_address": "MAC adresas",
"service_is_already_configured": "Paslauga jau sukonfigūruota",
- "invalid_ics_file": "Netinkamas .ics failas",
- "calendar_name": "Kalendoriaus pavadinimas",
- "starting_data": "Pradiniai duomenys",
+ "abort_already_in_progress": "Konfigūracijos procesas jau vyksta",
"abort_invalid_host": "Neteisingas pagrindinio kompiuterio pavadinimas arba IP adresas",
"device_not_supported": "Prietaisas nepalaikomas",
+ "invalid_authentication": "Neteisingas autentifikavimas",
"name_model_at_host": "{name} ({model} prie {host})",
"authenticate_to_the_device": "Autentifikuokite prietaisą",
"finish_title": "Pasirinkite prietaiso pavadinimą",
@@ -2275,67 +2491,27 @@
"yes_do_it": "Taip, daryk.",
"unlock_the_device_optional": "Atrakinkite prietaisą (neprivaloma)",
"connect_to_the_device": "Prisijunkite prie prietaiso",
- "abort_missing_credentials": "Integracijai reikalingi programos kredencialai.",
- "timeout_establishing_connection": "Baigėsi ryšio užmezgimo laikas",
- "link_google_account": "Susieti Google paskyrą",
- "path_is_not_allowed": "Kelias neleidžiamas",
- "path_is_not_valid": "Kelias negalioja",
- "path_to_file": "Kelias į failą",
- "api_key": "API raktas",
- "configure_daikin_ac": "Konfigūruoti Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapteris",
- "multiple_adapters_description": "Pasirinkite Bluetooth adapterį, kurį norite nustatyti",
- "arm_away_action": "Įjungimo išvykstant veiksmas",
- "arm_custom_bypass_action": "Įjungimo su individualizuotu apėjimu veiksmas",
- "arm_home_action": "Įjungimo liekant namie veiksmas",
- "arm_night_action": "Įjungimo naktiniame režime veiksmas",
- "arm_vacation_action": "Įjungimo atostogų režime veiksmas",
- "code_arm_required": "Būtinas kodinis įjungimas",
- "disarm_action": "Išjungimo veiksmas",
- "trigger_action": "Suaktyvinimo veiksmas",
- "value_template": "Vertės šablonas",
- "template_alarm_control_panel": "Signalizacijos valdymo pulto šablonas",
- "device_class": "Prietaiso klasė",
- "state_template": "Būsenos šablonas",
- "template_binary_sensor": "Šabloninis dvejetainis jutiklis",
- "actions_on_press": "Veiksmas paspaudus",
- "template_button": "Šabloninis mygtukas",
- "verify_ssl_certificate": "Patikrinkite SSL sertifikatą",
- "template_image": "Šabloninis paveikslėlis",
- "actions_on_set_value": "Veiksmai pagal nustatytą vertę",
- "step_value": "Žingsnio vertė",
- "template_number": "Šabloninis skaičius",
- "available_options": "Galimi variantai",
- "actions_on_select": "Veiksmai pasirinkus",
- "template_select": "Šabloninis pasirinkimas",
- "template_sensor": "Šabloninis jutiklis",
- "actions_on_turn_off": "Veiksmai išjungiami",
- "actions_on_turn_on": "Veiksmai įjungus",
- "template_switch": "Šabloninis jungiklis",
- "template_a_binary_sensor": "Dvejetainio jutiklio šablonas",
- "template_a_button": "Mygtuko šablonas",
- "template_an_image": "Paveikslėlio šablonas",
- "template_a_number": "Skaičiaus šablonas",
- "template_a_select": "Pasirinkimų šablonas",
- "template_a_sensor": "Jutiklio šablonas",
- "template_a_switch": "Jungiklio šablonas",
- "template_helper": "Šabloninis pagalbininkas",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Paskyra jau sukonfigūruota",
+ "invalid_access_token": "Neteisingas prieigos raktas",
+ "received_invalid_token_data": "Gauti neteisingi prieigos rakto duomenys.",
+ "abort_oauth_failed": "Klaida gaunant prieigos raktą.",
+ "timeout_resolving_oauth_token": "Baigėsi skirtasis OAuth prieigos raktas.",
+ "abort_oauth_unauthorized": "OAuth prieigos teisės klaida gaunant prieigos raktą.",
+ "successfully_authenticated": "Sėkmingai autentifikuota",
+ "link_fitbit": "Susieti Fitbit",
+ "pick_authentication_method": "Pasirinkite autentifikavimo metodą",
+ "two_factor_code": "Dviejų faktorių kodas",
+ "two_factor_authentication": "Dviejų veiksnių autentifikavimas",
+ "reconfigure_ring_integration": "Iš naujo sukonfigūruokite žiedo integraciją",
+ "sign_in_with_ring_account": "Prisijunkite naudodami Ring paskyrą",
+ "abort_alternative_integration": "Prietaisą geriau palaiko kita integracija",
+ "abort_incomplete_config": "Konfigūracijai trūksta būtino kintamojo",
+ "manual_description": "URL į prietaiso aprašo XML failą",
+ "manual_title": "Rankinis DLNA DMR prietaiso prijungimas",
+ "discovered_dlna_dmr_devices": "Atrasti DLNA DMR prietaisai",
+ "broadcast_address": "Transliacijos adresas",
+ "broadcast_port": "Transliacijos prievadas",
"abort_addon_info_failed": "Nepavyko gauti informacijos apie priedą {addon}.",
"abort_addon_install_failed": "Nepavyko įdiegti {addon} priedo.",
"abort_addon_start_failed": "Nepavyko paleisti {addon} priedo.",
@@ -2362,48 +2538,47 @@
"starting_add_on": "Paleidžiamas priedas",
"menu_options_addon": "Naudokite oficialų {addon} priedą.",
"menu_options_broker": "Rankiniu būdu įveskite MQTT brokerio ryšio duomenis",
- "bridge_is_already_configured": "Tiltas jau sukonfigūruotas",
- "no_deconz_bridges_discovered": "DeCONZ tiltų nerasta",
- "abort_no_hardware_available": "Prie deCONZ neprijungta jokia radijo aparatūra",
- "abort_updated_instance": "Atnaujintas deCONZ egzempliorius su nauju pagrindinio kompiuterio adresu",
- "error_linking_not_possible": "Nepavyko susieti su prieigos vartais",
- "error_no_key": "Nepavyko gauti API rakto",
- "link_with_deconz": "Ryšys su deCONZ",
- "select_discovered_deconz_gateway": "Pasirinkite atrastus deCONZ prieigos vartus",
- "pin_code": "PIN kodas",
- "discovered_android_tv": "Atrado „Android TV“.",
- "abort_mdns_missing_mac": "Trūksta MAC adreso MDNS ypatybėse.",
- "abort_mqtt_missing_api": "Trūksta API prievado MQTT ypatybėse.",
- "abort_mqtt_missing_ip": "Trūksta IP adreso MQTT ypatybėse.",
- "abort_mqtt_missing_mac": "Trūksta MAC adreso MQTT ypatybėse.",
- "missing_mqtt_payload": "Trūksta MQTT naudingos apkrovos.",
- "action_received": "Gautas veiksmas",
- "discovered_esphome_node": "Atrastas ESPHome mazgas",
- "encryption_key": "Šifravimo raktas",
- "no_port_for_endpoint": "Nėra galutinio taško prievado",
- "abort_no_services": "Galiniame taške paslaugų nerasta",
- "discovered_wyoming_service": "Atrasta Wyoming paslauga",
- "abort_alternative_integration": "Prietaisą geriau palaiko kita integracija",
- "abort_incomplete_config": "Konfigūracijai trūksta būtino kintamojo",
- "manual_description": "URL į prietaiso aprašo XML failą",
- "manual_title": "Rankinis DLNA DMR prietaiso prijungimas",
- "discovered_dlna_dmr_devices": "Atrasti DLNA DMR prietaisai",
+ "api_key": "API raktas",
+ "configure_daikin_ac": "Konfigūruoti Daikin AC",
+ "cannot_connect_details_error_detail": "Negalima prisijungti. Išsami informacija: {error_detail}",
+ "unknown_details_error_detail": "Nežinoma. Išsami informacija: {error_detail}",
+ "uses_an_ssl_certificate": "Naudoja SSL sertifikatą",
+ "verify_ssl_certificate": "Patikrinkite SSL sertifikatą",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapteris",
+ "multiple_adapters_description": "Pasirinkite Bluetooth adapterį, kurį norite nustatyti",
"api_error_occurred": "Įvyko API klaida",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Įgalinti HTTPS",
- "broadcast_address": "Transliacijos adresas",
- "broadcast_port": "Transliacijos prievadas",
- "mac_address": "MAC adresas",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologijos institutas",
- "ipv_is_not_supported": "IPv6 nepalaikomas.",
- "error_custom_port_not_supported": "Gen1 prietaisas nepalaiko pasirinktinio prievado.",
- "two_factor_code": "Dviejų faktorių kodas",
- "two_factor_authentication": "Dviejų veiksnių autentifikavimas",
- "reconfigure_ring_integration": "Iš naujo sukonfigūruokite žiedo integraciją",
- "sign_in_with_ring_account": "Prisijunkite naudodami Ring paskyrą",
+ "timeout_establishing_connection": "Baigėsi ryšio užmezgimo laikas",
+ "link_google_account": "Susieti Google paskyrą",
+ "path_is_not_allowed": "Kelias neleidžiamas",
+ "path_is_not_valid": "Kelias negalioja",
+ "path_to_file": "Kelias į failą",
+ "pin_code": "PIN kodas",
+ "discovered_android_tv": "Atrado „Android TV“.",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "Visi subjektai",
"hide_members": "Slėpti narius",
"create_group": "Sukurti grupę",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignoruoti neskaitinius",
"data_round_digits": "Suapvalinti iki kablelio skaičiaus",
"type": "Tipas",
@@ -2411,155 +2586,133 @@
"button_group": "Mygtukų grupė",
"cover_group": "Roletų grupė",
"event_group": "Įvykių grupė",
- "fan_group": "Ventiliatorių grupė",
- "light_group": "Šviesų grupė",
"lock_group": "Užrakinimo grupė",
"media_player_group": "Medijos grotuvų grupė",
"notify_group": "Pranešti grupei",
"sensor_group": "Jutiklių grupė",
"switch_group": "Jungiklių grupė",
- "abort_api_error": "Klaida bendraujant su SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Nepalaikomas Switchbot tipas.",
- "authentication_failed_error_detail": "Autentifikavimas nepavyko: {error_detail}",
- "error_encryption_key_invalid": "Netinkamas rakto ID arba šifravimo raktas",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "„SwitchBot“ paskyra (rekomenduojama)",
- "enter_encryption_key_manually": "Įveskite šifravimo raktą rankiniu būdu",
- "key_id": "Rakto ID",
- "password_description": "Slaptažodis apsaugoti atsarginę kopiją.",
- "device_address": "Prietaiso adresas",
- "cannot_connect_details_error_detail": "Negalima prisijungti. Išsami informacija: {error_detail}",
- "unknown_details_error_detail": "Nežinoma. Išsami informacija: {error_detail}",
- "uses_an_ssl_certificate": "Naudoja SSL sertifikatą",
- "ignore_cec": "Ignoruoti CEC",
- "allowed_uuids": "Leidžiami UUID",
- "advanced_google_cast_configuration": "Išplėstinė „Google Cast“ konfigūracija",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Prietaiso ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "„Home Assistant“ prieiga prie „Google“ kalendoriaus",
- "data_process": "Procesai, kuriuos reikia pridėti kaip jutiklį (-ius)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Pasyvus nuskaitymas",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "known_hosts": "Žinomi šeimininkai",
+ "google_cast_configuration": "„Google Cast“ konfigūracija",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Trūksta MAC adreso MDNS ypatybėse.",
+ "abort_mqtt_missing_api": "Trūksta API prievado MQTT ypatybėse.",
+ "abort_mqtt_missing_ip": "Trūksta IP adreso MQTT ypatybėse.",
+ "abort_mqtt_missing_mac": "Trūksta MAC adreso MQTT ypatybėse.",
+ "missing_mqtt_payload": "Trūksta MQTT naudingos apkrovos.",
+ "action_received": "Gautas veiksmas",
+ "discovered_esphome_node": "Atrastas ESPHome mazgas",
+ "bridge_is_already_configured": "Tiltas jau sukonfigūruotas",
+ "no_deconz_bridges_discovered": "DeCONZ tiltų nerasta",
+ "abort_no_hardware_available": "Prie deCONZ neprijungta jokia radijo aparatūra",
+ "abort_updated_instance": "Atnaujintas deCONZ egzempliorius su nauju pagrindinio kompiuterio adresu",
+ "error_linking_not_possible": "Nepavyko susieti su prieigos vartais",
+ "error_no_key": "Nepavyko gauti API rakto",
+ "link_with_deconz": "Ryšys su deCONZ",
+ "select_discovered_deconz_gateway": "Pasirinkite atrastus deCONZ prieigos vartus",
+ "abort_missing_credentials": "Integracijai reikalingi programos kredencialai.",
+ "no_port_for_endpoint": "Nėra galutinio taško prievado",
+ "abort_no_services": "Galiniame taške paslaugų nerasta",
+ "discovered_wyoming_service": "Atrasta Wyoming paslauga",
+ "ipv_is_not_supported": "IPv6 nepalaikomas.",
+ "error_custom_port_not_supported": "Gen1 prietaisas nepalaiko pasirinktinio prievado.",
+ "arm_away_action": "Įjungimo išvykstant veiksmas",
+ "arm_custom_bypass_action": "Įjungimo su individualizuotu apėjimu veiksmas",
+ "arm_home_action": "Įjungimo liekant namie veiksmas",
+ "arm_night_action": "Įjungimo naktiniame režime veiksmas",
+ "arm_vacation_action": "Įjungimo atostogų režime veiksmas",
+ "code_arm_required": "Būtinas kodinis įjungimas",
+ "disarm_action": "Išjungimo veiksmas",
+ "trigger_action": "Suaktyvinimo veiksmas",
+ "value_template": "Vertės šablonas",
+ "template_alarm_control_panel": "Signalizacijos valdymo pulto šablonas",
+ "state_template": "Būsenos šablonas",
+ "template_binary_sensor": "Šabloninis dvejetainis jutiklis",
+ "actions_on_press": "Veiksmas paspaudus",
+ "template_button": "Šabloninis mygtukas",
+ "template_image": "Šabloninis paveikslėlis",
+ "actions_on_set_value": "Veiksmai pagal nustatytą vertę",
+ "step_value": "Žingsnio vertė",
+ "template_number": "Šabloninis skaičius",
+ "available_options": "Galimi variantai",
+ "actions_on_select": "Veiksmai pasirinkus",
+ "template_select": "Šabloninis pasirinkimas",
+ "template_sensor": "Šabloninis jutiklis",
+ "actions_on_turn_off": "Veiksmai išjungiami",
+ "actions_on_turn_on": "Veiksmai įjungus",
+ "template_switch": "Šabloninis jungiklis",
+ "template_a_binary_sensor": "Dvejetainio jutiklio šablonas",
+ "template_a_button": "Mygtuko šablonas",
+ "template_an_image": "Paveikslėlio šablonas",
+ "template_a_number": "Skaičiaus šablonas",
+ "template_a_select": "Pasirinkimų šablonas",
+ "template_a_sensor": "Jutiklio šablonas",
+ "template_a_switch": "Jungiklio šablonas",
+ "template_helper": "Šabloninis pagalbininkas",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "Šis prietaisas nėra zha prietaisas",
+ "abort_usb_probe_failed": "Nepavyko patikrinti USB prietaiso",
+ "invalid_backup_json": "Netinkama atsarginė JSON",
+ "choose_an_automatic_backup": "Pasirinkite automatinę atsarginę kopiją",
+ "restore_automatic_backup": "Atkurti automatinę atsarginę kopiją",
+ "choose_formation_strategy_description": "Pasirinkite radijo tinklo nustatymus.",
+ "create_a_network": "Sukurkite tinklą",
+ "keep_radio_network_settings": "Išsaugokite radijo tinklo nustatymus",
+ "upload_a_manual_backup": "Įkelkite rankinę atsarginę kopiją",
+ "network_formation": "Tinklo formavimas",
+ "serial_device_path": "Serijinio prietaiso kelias",
+ "select_a_serial_port": "Pasirinkite nuoseklųjį prievadą",
+ "radio_type": "Radijo tipas",
+ "manual_pick_radio_type_description": "Pasirinkite savo „Zigbee“ radijo tipą",
+ "port_speed": "Uosto greitis",
+ "data_flow_control": "Duomenų srauto valdymas",
+ "manual_port_config_description": "Įveskite nuosekliojo prievado nustatymus",
+ "serial_port_settings": "Serijinio prievado nustatymai",
+ "data_overwrite_coordinator_ieee": "Visam laikui pakeiskite radijo IEEE adresą",
+ "overwrite_radio_ieee_address": "Perrašyti radijo IEEE adresą",
+ "upload_a_file": "Įkelti failą",
+ "radio_is_not_recommended": "Radijas nerekomenduojamas",
+ "invalid_ics_file": "Netinkamas .ics failas",
+ "calendar_name": "Kalendoriaus pavadinimas",
+ "starting_data": "Pradiniai duomenys",
+ "zha_alarm_options_alarm_arm_requires_code": "Užrakinimui reikalingas kodas",
+ "zha_alarm_options_alarm_master_code": "Signalizacijos valdymo pulto (-ų) pagrindinis kodas",
+ "alarm_control_panel_options": "Signalizacijos valdymo pulto parinktys",
+ "zha_options_consider_unavailable_battery": "Apsvarstykite, kad akumuliatoriai maitinami prietaisai nepasiekiami po (sekundės)",
+ "zha_options_consider_unavailable_mains": "Apsvarstykite, kad iš tinklo maitinami prietaisai nepasiekiami po (sekundės)",
+ "zha_options_default_light_transition": "Numatytasis šviesos perėjimo laikas (sekundėmis)",
+ "zha_options_group_members_assume_state": "Grupės nariai perima grupės būseną",
+ "zha_options_light_transitioning_flag": "Įgalinti padidinto ryškumo slankiklį šviesos perėjimo metu",
+ "global_options": "Pasaulinės parinktys",
+ "force_nightlatch_operation_mode": "Priverstinis Nightlatch veikimo režimas",
+ "retry_count": "Bandykite skaičiuoti dar kartą",
+ "data_process": "Procesai, kuriuos reikia pridėti kaip jutiklį (-ius)",
+ "invalid_url": "Netinkamas URL",
+ "data_browse_unfiltered": "Naršant rodyti nesuderinamą mediją",
+ "event_listener_callback_url": "Įvykių klausytojo atgalinio iškvietimo URL",
+ "data_listen_port": "Įvykių klausytojo prievadas (atsitiktinis, jei nenustatytas)",
+ "poll_for_device_availability": "Apklausa dėl prietaiso pasiekiamumo",
+ "init_title": "DLNA Digital Media Renderer konfigūracija",
"broker_options": "Brokerio pasirinkimai",
"enable_birth_message": "Įgalinti gimimo pranešimą",
"birth_message_payload": "Gimimo žinutės naudingoji apkrova",
@@ -2575,38 +2728,155 @@
"will_message_topic": "Siųs žinutę tema",
"data_description_discovery": "Galimybė įjungti automatinį MQTT aptikimą.",
"mqtt_options": "MQTT parinktys",
- "data_allow_nameless_uuids": "Šiuo metu leidžiami UUID. Panaikinkite žymėjimą, kad pašalintumėte",
- "data_new_uuid": "Įveskite naują leistiną UUID",
- "allow_deconz_clip_sensors": "Leisti deCONZ CLIP jutiklius",
- "allow_deconz_light_groups": "Leisti deCONZ šviesos grupes",
- "data_allow_new_devices": "Leisti automatiškai pridėti naujų prietaisų",
- "deconz_devices_description": "Konfigūruokite deCONZ prietaisų tipų matomumą",
- "deconz_options": "deCONZ parinktys",
+ "passive_scanning": "Pasyvus nuskaitymas",
+ "protocol": "Protokolas",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Kalbos kodas",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
"data_app_delete": "Pažymėkite, jei norite ištrinti šią programą",
"application_icon": "Programos piktograma",
"application_name": "Programos pavadinimas",
"configure_application_id_app_id": "Konfigūruoti programos ID {app_id}",
"configure_android_apps": "Konfigūruokite „Android“ programas",
"configure_applications_list": "Konfigūruoti programų sąrašą",
- "invalid_url": "Netinkamas URL",
- "data_browse_unfiltered": "Naršant rodyti nesuderinamą mediją",
- "event_listener_callback_url": "Įvykių klausytojo atgalinio iškvietimo URL",
- "data_listen_port": "Įvykių klausytojo prievadas (atsitiktinis, jei nenustatytas)",
- "poll_for_device_availability": "Apklausa dėl prietaiso pasiekiamumo",
- "init_title": "DLNA Digital Media Renderer konfigūracija",
- "protocol": "Protokolas",
- "language_code": "Kalbos kodas",
- "bluetooth_scanner_mode": "Bluetooth skaitytuvo režimas",
- "force_nightlatch_operation_mode": "Priverstinis Nightlatch veikimo režimas",
- "retry_count": "Bandykite skaičiuoti dar kartą",
+ "ignore_cec": "Ignoruoti CEC",
+ "allowed_uuids": "Leidžiami UUID",
+ "advanced_google_cast_configuration": "Išplėstinė „Google Cast“ konfigūracija",
+ "allow_deconz_clip_sensors": "Leisti deCONZ CLIP jutiklius",
+ "allow_deconz_light_groups": "Leisti deCONZ šviesos grupes",
+ "data_allow_new_devices": "Leisti automatiškai pridėti naujų prietaisų",
+ "deconz_devices_description": "Konfigūruokite deCONZ prietaisų tipų matomumą",
+ "deconz_options": "deCONZ parinktys",
"select_test_server": "Pasirinkite bandomąjį serverį",
- "toggle_entity_name": "Perjungti {entity_name}",
- "disarm_entity_name": "Išjungti {entity_name}",
- "turn_on_entity_name": "Įjungti {entity_name}",
- "entity_name_is_off": "{entity_name} išjungtas",
- "entity_name_is_on": "{entity_name} yra įjungtas",
- "trigger_type_changed_states": "{entity_name} įjungtas arba išjungtas",
- "entity_name_turned_on": "{entity_name} įjungtas",
+ "data_calendar_access": "„Home Assistant“ prieiga prie „Google“ kalendoriaus",
+ "bluetooth_scanner_mode": "Bluetooth skaitytuvo režimas",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Šiuo metu leidžiami UUID. Panaikinkite žymėjimą, kad pašalintumėte",
+ "data_new_uuid": "Įveskite naują leistiną UUID",
+ "reconfigure_zha": "Iš naujo sukonfigūruokite ZHA",
+ "unplug_your_old_radio": "Atjunkite seną radiją",
+ "intent_migrate_title": "Perkelkite į naują radiją",
+ "re_configure_the_current_radio": "Iš naujo sukonfigūruokite esamą radiją",
+ "migrate_or_re_configure": "Perkelkite arba sukonfigūruokite iš naujo",
"current_entity_name_apparent_power": "Dabartinė {entity_name} reaktyvioji galia",
"condition_type_is_aqi": "Dabartinis {entity_name} oro kokybės indeksas",
"current_entity_name_area": "Dabartinė {entity_name} sritis",
@@ -2697,14 +2967,79 @@
"entity_name_water_changes": "{entity_name} vandens keitimas",
"entity_name_weight_changes": "{entity_name} svorio pokyčiai",
"entity_name_wind_speed_changes": "{entity_name} vėjo greičio pokyčiai",
+ "decrease_entity_name_brightness": "Sumažinti {entity_name} ryškumą",
+ "increase_entity_name_brightness": "Padidinti {entity_name} ryškumą",
+ "flash_entity_name": "Blyksėti {entity_name}",
+ "toggle_entity_name": "Perjungti {entity_name}",
+ "disarm_entity_name": "Išjungti {entity_name}",
+ "turn_on_entity_name": "Įjungti {entity_name}",
+ "entity_name_is_off": "{entity_name} išjungtas",
+ "entity_name_is_on": "{entity_name} yra įjungtas",
+ "flash": "Blykstė",
+ "trigger_type_changed_states": "{entity_name} įjungtas arba išjungtas",
+ "entity_name_turned_on": "{entity_name} įjungtas",
+ "set_value_for_entity_name": "Nustatyti {entity_name} vertę",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} naujinio prieinamumas",
+ "entity_name_became_up_to_date": "{entity_name} tapo naujausia",
+ "trigger_type_update": "{entity_name} yra naujinys",
+ "first_button": "Pirmas mygtukas",
+ "second_button": "Antras mygtukas",
+ "third_button": "Trečias mygtukas",
+ "fourth_button": "Ketvirtas mygtukas",
+ "fifth_button": "Penktas mygtukas",
+ "sixth_button": "Šeštas mygtukas",
+ "subtype_double_clicked": "\"{subtype}\" dukart spustelėta",
+ "subtype_continuously_pressed": "\"{subtype}\" nuolat spaudžiamas",
+ "trigger_type_button_long_release": "\"{subtype}\" išleistas po ilgo spaudimo",
+ "subtype_quadruple_clicked": "\"{subtype}\" keturgubas paspaudimas",
+ "subtype_quintuple_clicked": "\"{subtype}\" penkiaženklis paspaudė",
+ "subtype_pressed": "\"{subtype}\" spaudžiamas",
+ "subtype_released": "„{subtype}“ išleistas",
+ "subtype_triple_clicked": "„{subtype}“ spustelėjo tris kartus",
+ "entity_name_is_home": "{entity_name} yra namuose",
+ "entity_name_is_not_home": "{entity_name} nėra namuose",
+ "entity_name_enters_a_zone": "{entity_name} patenka į zoną",
+ "entity_name_leaves_a_zone": "{entity_name} palieka zoną",
+ "press_entity_name_button": "Paspauskite mygtuką {entity_name}",
+ "entity_name_has_been_pressed": "{entity_name} buvo paspaustas",
+ "let_entity_name_clean": "Leiskite {entity_name} valyti",
+ "action_type_dock": "Leiskite {entity_name} grįžti į stotelę",
+ "entity_name_is_cleaning": "{entity_name} valo",
+ "entity_name_is_docked": "{entity_name} yra stotelėje",
+ "entity_name_started_cleaning": "{entity_name} pradėjo valyti",
+ "entity_name_docked": "{entity_name} stotelėje",
+ "send_a_notification": "Siųsti pranešimą",
+ "lock_entity_name": "Užrakinti {entity_name}",
+ "open_entity_name": "Atidaryti {entity_name}",
+ "unlock_entity_name": "Atrakinti {entity_name}",
+ "entity_name_is_locked": "{entity_name} yra užrakintas",
+ "entity_name_is_open": "{entity_name} yra atidarytas",
+ "entity_name_is_unlocked": "{entity_name} yra atrakintas",
+ "entity_name_locked": "{entity_name} užrakinta",
+ "entity_name_opened": "{entity_name} atidaryta",
+ "entity_name_unlocked": "{entity_name} atrakinta",
"action_type_set_hvac_mode": "Pakeiskite {entity_name} HVAC režimą",
"change_preset_on_entity_name": "Keisti išankstinį nustatymą {entity_name}",
"hvac_mode": "HVAC režimas",
"entity_name_measured_humidity_changed": "Pakeistas {entity_name} išmatuotas drėgnumas",
"entity_name_measured_temperature_changed": "Pakeista {entity_name} išmatuota temperatūra",
"entity_name_hvac_mode_changed": "{entity_name} HVAC režimas pakeistas",
- "set_value_for_entity_name": "Nustatyti {entity_name} vertę",
- "value": "Vertė",
+ "close_entity_name": "Uždaryti {entity_name}",
+ "close_entity_name_tilt": "Uždaryti {entity_name} pakreipimą",
+ "open_entity_name_tilt": "Atidarykite {entity_name} pakreipimą",
+ "set_entity_name_position": "Nustatyti {entity_name} poziciją",
+ "set_entity_name_tilt_position": "Nustatyti {entity_name} pakreipimo padėtį",
+ "stop_entity_name": "Sustabdyti {entity_name}",
+ "entity_name_is_closed": "{entity_name} yra uždarytas",
+ "entity_name_closing": "{entity_name} uždaroma",
+ "entity_name_is_opening": "{entity_name} atidaromas",
+ "current_entity_name_position_is": "Dabartinė {entity_name} pozicija yra",
+ "condition_type_is_tilt_position": "Dabartinė {entity_name} pakreipimo padėtis yra",
+ "entity_name_closed": "{entity_name} uždarytas",
+ "entity_name_opening": "{entity_name} atidarymas",
+ "entity_name_position_changes": "{entity_name} pozicijos pasikeitimai",
+ "entity_name_tilt_position_changes": "{entity_name} pakreipimo padėties pasikeitimai",
"entity_name_battery_low": "{entity_name} baterija senka",
"entity_name_is_charging": "{entity_name} kraunasi",
"condition_type_is_co": "{entity_name} aptinka anglies monoksidą",
@@ -2713,7 +3048,6 @@
"entity_name_is_detecting_gas": "{entity_name} aptinka dujas",
"entity_name_is_hot": "{entity_name} yra karštas",
"entity_name_is_detecting_light": "{entity_name} aptinka šviesą",
- "entity_name_is_locked": "{entity_name} yra užrakintas",
"entity_name_is_moist": "{entity_name} yra drėgnas",
"entity_name_is_detecting_motion": "{entity_name} aptiko judesį",
"entity_name_is_moving": "{entity_name} juda",
@@ -2731,18 +3065,15 @@
"entity_name_is_not_cold": "{entity_name} nėra šaltas",
"entity_name_is_unplugged": "{entity_name} yra atjungtas",
"entity_name_is_not_hot": "{entity_name} nėra karštas",
- "entity_name_is_unlocked": "{entity_name} yra atrakintas",
"entity_name_is_dry": "{entity_name} yra sausas",
"entity_name_is_not_moving": "{entity_name} nejuda",
"entity_name_is_not_occupied": "{entity_name} nėra užimtas",
- "entity_name_is_closed": "{entity_name} yra uždarytas",
"entity_name_not_powered": "{entity_name} nėra maitinamas",
"entity_name_not_present": "{entity_name} nėra",
"entity_name_is_not_running": "{entity_name} neveikia",
"condition_type_is_not_tampered": "{entity_name} neaptikinėja pažeidimo",
"entity_name_is_safe": "{entity_name} yra saugus",
"entity_name_is_occupied": "{entity_name} yra užimtas",
- "entity_name_is_open": "{entity_name} yra atidarytas",
"entity_name_is_plugged_in": "{entity_name} yra prijungtas",
"entity_name_is_powered": "{entity_name} yra maitinamas",
"entity_name_present": "{entity_name} yra",
@@ -2752,7 +3083,6 @@
"entity_name_is_detecting_sound": "{entity_name} aptinka garsą",
"entity_name_is_detecting_tampering": "{entity_name} aptikinėja pažeidimą",
"entity_name_is_unsafe": "{entity_name} yra nesaugus",
- "trigger_type_update": "{entity_name} yra naujinys",
"entity_name_is_detecting_vibration": "{entity_name} aptinka vibraciją",
"entity_name_charging": "{entity_name} įkrovimas",
"trigger_type_co": "{entity_name} pradėjo aptikti anglies monoksidą",
@@ -2760,7 +3090,6 @@
"entity_name_started_detecting_gas": "{entity_name} pradėjo aptikti dujas",
"entity_name_became_hot": "{entity_name} tapo karšta",
"entity_name_started_detecting_light": "{entity_name} pradėjo aptikti šviesą",
- "entity_name_locked": "{entity_name} užrakinta",
"entity_name_became_moist": "{entity_name} tapo drėgnas",
"entity_name_started_detecting_motion": "{entity_name} pradėjo aptikti judesį",
"entity_name_started_moving": "{entity_name} pradėjo judėti",
@@ -2771,62 +3100,33 @@
"entity_name_stopped_detecting_problem": "{entity_name} nustojo aptikti problemą",
"entity_name_stopped_detecting_smoke": "{entity_name} nustojo aptikti dūmus",
"entity_name_stopped_detecting_sound": "{entity_name} nustojo aptikti garsą",
- "entity_name_became_up_to_date": "{entity_name} tapo naujausia",
"entity_name_stopped_detecting_vibration": "{entity_name} nustojo aptikti vibraciją",
"entity_name_battery_normal": "{entity_name} baterija normali",
"entity_name_became_not_cold": "{entity_name} tapo ne šaltas",
"entity_name_unplugged": "{entity_name} atjungtas",
"entity_name_became_not_hot": "{entity_name} tapo ne karštas",
- "entity_name_unlocked": "{entity_name} atrakinta",
"entity_name_became_dry": "{entity_name} tapo sausas",
"entity_name_stopped_moving": "{entity_name} nustojo judėti",
"entity_name_became_not_occupied": "{entity_name} tapo neužimta",
- "entity_name_closed": "{entity_name} uždaryta",
"trigger_type_not_running": "{entity_name} nebeveikia",
"entity_name_stopped_detecting_tampering": "{entity_name} nustojo aptikti pažeidimą",
"entity_name_became_safe": "{entity_name} tapo saugus",
"entity_name_became_occupied": "{entity_name} buvo užimtas",
- "entity_name_opened": "{entity_name} atidaryta",
"entity_name_powered": "{entity_name} maitinamas",
"entity_name_started_detecting_problem": "{entity_name} pradėjo aptikti problemą",
"entity_name_started_running": "{entity_name} pradėjo veikti",
"entity_name_started_detecting_smoke": "{entity_name} pradėjo aptikti dūmus",
"entity_name_started_detecting_sound": "{entity_name} pradėjo aptikti garsą",
"entity_name_started_detecting_tampering": "{entity_name} pradėjo aptikti pažeidimą",
- "entity_name_became_unsafe": "{entity_name} tapo nesaugus",
- "entity_name_started_detecting_vibration": "{entity_name} pradėjo aptikti vibraciją",
- "entity_name_is_buffering": "{entity_name} atlieka buferį",
- "entity_name_is_idle": "{entity_name} yra neaktyvus",
- "entity_name_is_paused": "{entity_name} pristabdytas",
- "entity_name_is_playing": "{entity_name} groja",
- "entity_name_starts_buffering": "{entity_name} pradeda saugoti buferį",
- "entity_name_becomes_idle": "{entity_name} tampa neaktyvus",
- "entity_name_starts_playing": "{entity_name} pradeda žaisti",
- "entity_name_is_home": "{entity_name} yra namuose",
- "entity_name_is_not_home": "{entity_name} nėra namuose",
- "entity_name_enters_a_zone": "{entity_name} patenka į zoną",
- "entity_name_leaves_a_zone": "{entity_name} palieka zoną",
- "decrease_entity_name_brightness": "Sumažinti {entity_name} ryškumą",
- "increase_entity_name_brightness": "Padidinti {entity_name} ryškumą",
- "flash_entity_name": "Blyksėti {entity_name}",
- "flash": "Blykstė",
- "entity_name_update_availability_changed": "{entity_name} naujinio prieinamumas",
- "arm_entity_name_away": "Apsaugoti {entity_name} išvykęs",
- "arm_entity_name_home": "Apsaugoti {entity_name} namie",
- "arm_entity_name_night": "Apsaugoti {entity_name} naktį",
- "arm_entity_name_vacation": "Apsaugotas {entity_name} atostogų režime",
- "trigger_entity_name": "Suaktyvinti {entity_name}",
- "entity_name_is_armed_away": "{entity_name} yra užrakinta",
- "entity_name_is_armed_home": "{entity_name} yra užrakinta namų režime",
- "entity_name_is_armed_night": "{entity_name} užrakinta naktinė apsauga",
- "entity_name_is_armed_vacation": "{entity_name} užrakinta atostogų režime",
- "entity_name_disarmed": "{entity_name} išjungta",
- "entity_name_triggered": "{entity_name} suveikė",
- "entity_name_armed_home": "{entity_name} užrakinta - Namie",
- "entity_name_armed_night": "{entity_name} užrakinta - Naktinė apsauga",
- "entity_name_armed_vacation": "{entity_name} užrakinta - atostogų režime",
- "press_entity_name_button": "Paspauskite mygtuką {entity_name}",
- "entity_name_has_been_pressed": "{entity_name} buvo paspaustas",
+ "entity_name_became_unsafe": "{entity_name} tapo nesaugus",
+ "entity_name_started_detecting_vibration": "{entity_name} pradėjo aptikti vibraciją",
+ "entity_name_is_buffering": "{entity_name} atlieka buferį",
+ "entity_name_is_idle": "{entity_name} yra neaktyvus",
+ "entity_name_is_paused": "{entity_name} pristabdytas",
+ "entity_name_is_playing": "{entity_name} groja",
+ "entity_name_starts_buffering": "{entity_name} pradeda saugoti buferį",
+ "entity_name_becomes_idle": "{entity_name} tampa neaktyvus",
+ "entity_name_starts_playing": "{entity_name} pradeda žaisti",
"action_type_select_first": "Pakeiskite {entity_name} į pirmąją parinktį",
"action_type_select_last": "Pakeiskite {entity_name} į paskutinę parinktį",
"action_type_select_next": "Pakeiskite {entity_name} į kitą parinktį",
@@ -2836,34 +3136,6 @@
"cycle": "Ciklas",
"from": "Iš",
"entity_name_option_changed": "{entity_name} parinktis pakeista",
- "close_entity_name": "Uždaryti {entity_name}",
- "close_entity_name_tilt": "Uždaryti {entity_name} pakreipimą",
- "open_entity_name": "Atidaryti {entity_name}",
- "open_entity_name_tilt": "Atidarykite {entity_name} pakreipimą",
- "set_entity_name_position": "Nustatyti {entity_name} poziciją",
- "set_entity_name_tilt_position": "Nustatyti {entity_name} pakreipimo padėtį",
- "stop_entity_name": "Sustabdyti {entity_name}",
- "entity_name_closing": "{entity_name} uždaroma",
- "entity_name_is_opening": "{entity_name} atidaromas",
- "current_entity_name_position_is": "Dabartinė {entity_name} pozicija yra",
- "condition_type_is_tilt_position": "Dabartinė {entity_name} pakreipimo padėtis yra",
- "entity_name_opening": "{entity_name} atidarymas",
- "entity_name_position_changes": "{entity_name} pozicijos pasikeitimai",
- "entity_name_tilt_position_changes": "{entity_name} pakreipimo padėties pasikeitimai",
- "first_button": "Pirmas mygtukas",
- "second_button": "Antras mygtukas",
- "third_button": "Trečias mygtukas",
- "fourth_button": "Ketvirtasis mygtukas",
- "fifth_button": "Penktas mygtukas",
- "sixth_button": "Šeštas mygtukas",
- "subtype_double_clicked": "{subtype} du kartus spustelėjo",
- "subtype_continuously_pressed": "„{subtype}“ nuolat spaudžiamas",
- "trigger_type_button_long_release": "\"{subtype}\" išleistas po ilgo spaudimo",
- "subtype_quadruple_clicked": "\"{subtype}\" keturgubas paspaudimas",
- "subtype_quintuple_clicked": "\"{subtype}\" penkiaženklis paspaudė",
- "subtype_pressed": "\"{subtype}\" spaudžiamas",
- "subtype_released": "„{subtype}“ išleistas",
- "subtype_triple_push": "{subtype} trigubas paspaudimas",
"both_buttons": "Abu mygtukai",
"bottom_buttons": "Apatiniai mygtukai",
"seventh_button": "Septintas mygtukas",
@@ -2875,7 +3147,6 @@
"side": "6 pusė",
"top_buttons": "Viršutiniai mygtukai",
"device_awakened": "Prietaisas pažadintas",
- "trigger_type_remote_button_long_release": "„{subtype}“ išleistas po ilgo paspaudimo",
"button_rotated_subtype": "Mygtukas pasuktas „{subtype}“",
"button_rotated_fast_subtype": "Greitai pasuktas mygtukas \"{subtype}\"",
"button_rotation_subtype_stopped": "Mygtuko „{subtype}“ sukimas sustabdytas",
@@ -2889,13 +3160,6 @@
"trigger_type_remote_rotate_from_side": "Prietaisas pasuktas iš „6 pusės“ į „{subtype}“",
"device_turned_clockwise": "Prietaisas pasuktas pagal laikrodžio rodyklę",
"device_turned_counter_clockwise": "Prietaisas pasuktas prieš laikrodžio rodyklę",
- "send_a_notification": "Siųsti pranešimą",
- "let_entity_name_clean": "Leiskite {entity_name} valyti",
- "action_type_dock": "Leiskite {entity_name} grįžti į stotelę",
- "entity_name_is_cleaning": "{entity_name} valo",
- "entity_name_is_docked": "{entity_name} yra stotelėje",
- "entity_name_started_cleaning": "{entity_name} pradėjo valyti",
- "entity_name_docked": "{entity_name} stotelėje",
"subtype_button_down": "{subtype} mygtukas žemyn",
"subtype_button_up": "{subtype} mygtukas aukštyn",
"subtype_double_push": "{subtype} dvigubas paspaudimas",
@@ -2905,28 +3169,51 @@
"subtype_single_clicked": "{subtype} vienu paspaudimu",
"trigger_type_single_long": "{subtype} spustelėjo vieną kartą, tada ilgai spustelėjo",
"subtype_single_push": "{subtype} vienas paspaudimas",
- "lock_entity_name": "Užrakinti {entity_name}",
- "unlock_entity_name": "Atrakinti {entity_name}",
+ "subtype_triple_push": "{subtype} trigubas paspaudimas",
+ "arm_entity_name_away": "Apsaugoti {entity_name} išvykęs",
+ "arm_entity_name_home": "Apsaugoti {entity_name} namie",
+ "arm_entity_name_night": "Apsaugoti {entity_name} naktį",
+ "arm_entity_name_vacation": "Apsaugotas {entity_name} atostogų režime",
+ "trigger_entity_name": "Suaktyvinti {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} yra užrakinta",
+ "entity_name_is_armed_home": "{entity_name} yra užrakinta namų režime",
+ "entity_name_is_armed_night": "{entity_name} užrakinta naktinė apsauga",
+ "entity_name_is_armed_vacation": "{entity_name} užrakinta atostogų režime",
+ "entity_name_disarmed": "{entity_name} išjungta",
+ "entity_name_triggered": "{entity_name} suveikė",
+ "entity_name_armed_home": "{entity_name} užrakinta - Namie",
+ "entity_name_armed_night": "{entity_name} užrakinta - Naktinė apsauga",
+ "entity_name_armed_vacation": "{entity_name} užrakinta - atostogų režime",
+ "action_type_issue_all_led_effect": "Problemos efektas visiems šviesos diodams",
+ "action_type_issue_individual_led_effect": "Atskirų šviesos diodų problemos efektas",
+ "squawk": "Squawk",
+ "warn": "Įspėti",
+ "color_hue": "Spalvos atspalvis",
+ "duration_in_seconds": "Trukmė sekundėmis",
+ "effect_type": "Efekto tipas",
+ "led_number": "LED numeris",
+ "with_face_activated": "Su aktyvuotu veidu 6",
+ "with_any_specified_face_s_activated": "Su aktyvuotu (-ais) bet kuriuo (nurodytu) veidu (-ais).",
+ "device_dropped": "Prietaisas nukrito",
+ "device_flipped_subtype": "Prietaisas apverstas „{subtype}“",
+ "device_knocked_subtype": "Prietaisas išmuštas „{subtype}“",
+ "device_offline": "Prietaisas neprisijungęs",
+ "device_rotated_subtype": "Prietaisas pasuktas „{subtype}“",
+ "device_slid_subtype": "Prietaisas paslydo „{subtype}“",
+ "device_tilted": "Prietaisas pakreiptas",
+ "trigger_type_remote_button_alt_double_press": "„{subtype}“ du kartus spustelėjo (alternatyvus režimas)",
+ "trigger_type_remote_button_alt_long_press": "„{subtype}“ nuolat spaudžiamas (alternatyvus režimas)",
+ "trigger_type_remote_button_alt_long_release": "„{subtype}“ išleistas po ilgo paspaudimo (alternatyvus režimas)",
+ "trigger_type_remote_button_alt_quadruple_press": "„{subtype}“ spustelėtas keturis kartus (alternatyvus režimas)",
+ "trigger_type_remote_button_alt_quintuple_press": "„{subtype}“ spustelėjo penkis kartus (alternatyvus režimas)",
+ "subtype_pressed_alternate_mode": "Paspaustas „{subtype}“ (alternatyvus režimas)",
+ "subtype_released_alternate_mode": "„{subtype}“ išleistas (alternatyvus režimas)",
+ "trigger_type_remote_button_alt_triple_press": "Tris kartus spustelėta „{subtype}“ (alternatyvus režimas)",
"add_to_queue": "Pridėti į eilę",
"play_next": "Groti toliau",
"options_replace": "Žaiskite dabar ir išvalykite eilę",
"repeat_all": "Pakartokite viską",
"repeat_one": "Pakartokite vieną",
- "no_code_format": "Nėra kodo formato",
- "no_unit_of_measurement": "Nėra matavimo vieneto",
- "critical": "Kritinis",
- "debug": "Derinimas",
- "warning": "Įspėjimas",
- "create_an_empty_calendar": "Sukurkite tuščią kalendorių",
- "options_import_ics_file": "Įkelti „iCalendar“ failą (.ics)",
- "passive": "Pasyvus",
- "most_recently_updated": "Naujausia atnaujinta",
- "arithmetic_mean": "Aritmetinis vidurkis",
- "median": "Mediana",
- "product": "Produktas",
- "statistical_range": "Statistinis diapazonas",
- "standard_deviation": "Standartinis nuokrypis",
- "fatal": "Mirtinas",
"alice_blue": "Alisa mėlyna",
"antique_white": "Antikvariniai balti",
"aquamarine": "Akvamarinas",
@@ -3043,52 +3330,21 @@
"wheat": "Kviečiai",
"white_smoke": "Balti dūmai",
"yellow_green": "Geltona žalia",
- "sets_the_value": "Nustato vertę.",
- "the_target_value": "Tikslinė vertė.",
- "command": "Komanda",
- "device_description": "Prietaiso ID, į kurį reikia siųsti komandą.",
- "delete_command": "Ištrinti komandą",
- "alternative": "Alternatyva",
- "command_type_description": "Komandos, kurią reikia išmokti, tipas.",
- "command_type": "Komandos tipas",
- "timeout_description": "Laikas, per kurį komanda bus išmokta.",
- "learn_command": "Išmokite komandą",
- "delay_seconds": "Vėlavimas sekundėmis",
- "hold_seconds": "Palaukite sekundes",
- "repeats": "Pasikartoja",
- "send_command": "Siųsti komandą",
- "sends_the_toggle_command": "Siunčia perjungimo komandą.",
- "turn_off_description": "Išjunkite vieną ar daugiau šviesų.",
- "turn_on_description": "Pradeda naują valymo užduotį.",
- "set_datetime_description": "Nustato datą ir (arba) laiką.",
- "the_target_date": "Tikslinė data.",
- "datetime_description": "Tikslinė data & laikas.",
- "date_time": "Data & laikas",
- "the_target_time": "Tikslinis laikas.",
- "creates_a_new_backup": "Sukuria naują atsarginę kopiją.",
- "apply_description": "Suaktyvina sceną su konfigūracija.",
- "entities_description": "Subjektų sąrašas ir jų tikslinė būsena.",
- "entities_state": "Subjektų būsena",
- "transition": "Perėjimas",
- "apply": "Taikyti",
- "creates_a_new_scene": "Sukuria naują sceną.",
- "scene_id_description": "Naujos scenos subjekto ID.",
- "scene_entity_id": "Scenos subjekto ID",
- "snapshot_entities": "Momentinės nuotraukos subjektai",
- "delete_description": "Ištrina dinamiškai sukurtą sceną.",
- "activates_a_scene": "Suaktyvina sceną.",
- "closes_a_valve": "Uždaro vožtuvą.",
- "opens_a_valve": "Atidaro vožtuvą.",
- "set_valve_position_description": "Perkelia vožtuvą į tam tikrą padėtį.",
- "target_position": "Tikslinė padėtis.",
- "set_position": "Nustatykite padėtį",
- "stops_the_valve_movement": "Sustabdo vožtuvo judėjimą.",
- "toggles_a_valve_open_closed": "Perjungia vožtuvo atidarymą / uždarymą.",
- "dashboard_path": "Prietaisų skydelio kelias",
- "view_path": "Žiūrėti kelią",
- "show_dashboard_view": "Rodyti prietaisų skydelio vaizdą",
- "finish_description": "Paleidžia laikmatį anksčiau nei numatyta.",
- "duration_description": "Pasirinktinė trukmė, per kurią iš naujo paleidžiamas laikmatis.",
+ "critical": "Kritinis",
+ "debug": "Derinimas",
+ "warning": "Įspėjimas",
+ "passive": "Pasyvus",
+ "no_code_format": "Nėra kodo formato",
+ "no_unit_of_measurement": "Nėra matavimo vieneto",
+ "fatal": "Mirtinas",
+ "most_recently_updated": "Naujausia atnaujinta",
+ "arithmetic_mean": "Aritmetinis vidurkis",
+ "median": "Mediana",
+ "product": "Produktas",
+ "statistical_range": "Statistinis diapazonas",
+ "standard_deviation": "Standartinis nuokrypis",
+ "create_an_empty_calendar": "Sukurkite tuščią kalendorių",
+ "options_import_ics_file": "Įkelti „iCalendar“ failą (.ics)",
"sets_a_random_effect": "Nustato atsitiktinį efektą.",
"sequence_description": "HSV sekų sąrašas (maks. 16).",
"backgrounds": "Fonai",
@@ -3105,6 +3361,7 @@
"saturation_range": "Sodrumo diapazonas",
"segments_description": "Segmentų sąrašas (0 visiems).",
"segments": "Segmentai",
+ "transition": "Perėjimas",
"range_of_transition": "Perėjimo diapazonas.",
"transition_range": "Perėjimo diapazonas",
"random_effect": "Atsitiktinis efektas",
@@ -3115,133 +3372,87 @@
"speed_of_spread": "Plitimo greitis.",
"spread": "Plisti",
"sequence_effect": "Sekos efektas",
- "check_configuration": "Patikrinkite konfigūraciją",
- "reload_all": "Įkelti viską iš naujo",
- "reload_config_entry_description": "Iš naujo įkelia nurodytą konfigūracijos įrašą.",
- "config_entry_id": "Konfigūracijos įrašo ID",
- "reload_config_entry": "Iš naujo įkelti konfigūracijos įrašą",
- "reload_core_config_description": "Iš naujo įkelia pagrindinę konfigūraciją iš YAML konfigūracijos.",
- "reload_core_configuration": "Iš naujo įkelkite pagrindinę konfigūraciją",
- "reload_custom_jinja_templates": "Iš naujo įkelkite tinkintus Jinja2 šablonus",
- "restarts_home_assistant": "Iš naujo paleidžia „Home Assistant“.",
- "safe_mode_description": "Išjungti pasirinktines integracijas ir pasirinktines korteles.",
- "save_persistent_states": "Išsaugokite nuolatines būsenas",
- "set_location_description": "Atnaujina „Home Assistant“ vietą.",
- "elevation_description": "Jūsų vietos pakilimas virš jūros lygio.",
- "latitude_of_your_location": "Jūsų buvimo vietos platuma.",
- "longitude_of_your_location": "Jūsų buvimo vietos ilguma.",
- "set_location": "Nustatyti vietą",
- "stops_home_assistant": "Sustabdo „Home Assistant“.",
- "generic_toggle": "Bendras perjungimas",
- "generic_turn_off": "Bendras išjungimas",
- "generic_turn_on": "Bendras įjungimas",
- "entity_id_description": "Subjektas, į kurį reikia kreiptis žurnalo įraše.",
- "entities_to_update": "Subjektai, kuriuos reikia atnaujinti",
- "update_entity": "Atnaujinti subjektą",
- "turns_auxiliary_heater_on_off": "Įjungia/išjungia papildomą šildytuvą.",
- "aux_heat_description": "Nauja pagalbinio šildytuvo vertė.",
- "auxiliary_heating": "Pagalbinis šildymas",
- "turn_on_off_auxiliary_heater": "Įjunkite / išjunkite papildomą šildytuvą",
- "sets_fan_operation_mode": "Nustato ventiliatoriaus veikimo režimą.",
- "fan_operation_mode": "Ventiliatoriaus veikimo režimas.",
- "set_fan_mode": "Nustatykite ventiliatoriaus režimą",
- "sets_target_humidity": "Nustato tikslinę drėgmę.",
- "set_target_humidity": "Nustatykite tikslinę drėgmę",
- "sets_hvac_operation_mode": "Nustato HVAC veikimo režimą.",
- "hvac_operation_mode": "HVAC veikimo režimas.",
- "set_hvac_mode": "Nustatykite HVAC režimą",
- "sets_preset_mode": "Nustato iš anksto nustatytą režimą.",
- "set_preset_mode": "Nustatykite iš anksto nustatytą režimą",
- "set_swing_horizontal_mode_description": "Nustatomas horizontalaus siūbavimo režimas.",
- "horizontal_swing_operation_mode": "Horizontalaus siūbavimo režimas.",
- "set_horizontal_swing_mode": "Nustatykite horizontalaus siūbavimo režimą",
- "sets_swing_operation_mode": "Nustatomas siūbavimo režimas.",
- "swing_operation_mode": "Svyravimo veikimo režimas.",
- "set_swing_mode": "Nustatykite siūbavimo režimą",
- "sets_the_temperature_setpoint": "Nustato temperatūros kontrolinę vertę.",
- "the_max_temperature_setpoint": "Maksimali nustatytoji temperatūra.",
- "the_min_temperature_setpoint": "Minimali temperatūros nustatyta vertė.",
- "the_temperature_setpoint": "Temperatūros nustatyta vertė.",
- "set_target_temperature": "Nustatykite tikslinę temperatūrą",
- "turns_climate_device_off": "Išjungia klimato prietaisą.",
- "turns_climate_device_on": "Įjungia klimato prietaisą.",
- "decrement_description": "Sumažina dabartinę vertę 1 žingsniu.",
- "increment_description": "Padidina dabartinę vertę 1 žingsniu.",
- "reset_description": "Iš naujo nustato skaitiklį į pradinę vertę.",
- "set_value_description": "Nustato skaičiaus reikšmę.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Konfigūracijos parametro reikšmė.",
- "clear_playlist_description": "Pašalina visus elementus iš grojaraščio.",
- "clear_playlist": "Išvalyti grojaraštį",
- "selects_the_next_track": "Pasirenkamas kitas takelis.",
- "pauses": "Pauzės.",
- "starts_playing": "Pradeda groti.",
- "toggles_play_pause": "Perjungia atkūrimą / pristabdymą.",
- "selects_the_previous_track": "Pasirenkamas ankstesnis takelis.",
- "seek": "Ieškoti",
- "stops_playing": "Nustoja groti.",
- "starts_playing_specified_media": "Pradeda leisti nurodytą mediją.",
- "publish": "Paskelbti",
- "enqueue": "Eilė",
- "repeat_mode_to_set": "Norėdami nustatyti, pakartokite režimą.",
- "select_sound_mode_description": "Pasirenkamas konkretus garso režimas.",
- "select_sound_mode": "Pasirinkite garso režimą",
- "select_source": "Pasirinkite šaltinį",
- "shuffle_description": "Nesvarbu, ar maišymo režimas įjungtas, ar ne.",
- "toggle_description": "Įjungia/išjungia dulkių siurblį.",
- "unjoin": "Atsijungti",
- "turns_down_the_volume": "Sumažina garsumą.",
- "turn_down_volume": "Sumažinkite garsumą",
- "volume_mute_description": "Nutildo arba įjungia medijos grotuvą.",
- "is_volume_muted_description": "Nurodo, ar jis nutildytas, ar ne.",
- "mute_unmute_volume": "Nutildyti / įjungti garsą",
- "sets_the_volume_level": "Nustato garsumo lygį.",
- "level": "Lygis",
- "set_volume": "Nustatykite garsumą",
- "turns_up_the_volume": "Padidina garsumą.",
- "turn_up_volume": "Padidinkite garsumą",
- "battery_description": "Prietaiso baterijos lygis.",
- "gps_coordinates": "GPS koordinatės",
- "gps_accuracy_description": "GPS koordinačių tikslumas.",
- "hostname_of_the_device": "Prietaiso pagrindinio kompiuterio pavadinimas.",
- "hostname": "Pagrindinio kompiuterio pavadinimas",
- "mac_description": "Prietaiso MAC adresas.",
- "see": "Matyti",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Įjungia/išjungia sireną.",
+ "turns_the_siren_off": "Išjungia sireną.",
+ "turns_the_siren_on": "Įjungia sireną.",
"brightness_value": "Ryškumo vertė",
"a_human_readable_color_name": "Žmonėms įskaitomas spalvos pavadinimas.",
"color_name": "Spalvos pavadinimas",
"color_temperature_in_mireds": "Spalvos temperatūra mireduose.",
"light_effect": "Šviesos efektas.",
- "hue_sat_color": "Atspalvis / soties spalva",
- "color_temperature_in_kelvin": "Spalvos temperatūra Kelvinais.",
- "profile_description": "Naudotino šviesos profilio pavadinimas.",
- "rgbw_color": "RGBW spalva",
- "rgbww_color": "RGBWW spalva",
- "white_description": "Nustatykite šviesą į baltą režimą.",
- "xy_color": "XY spalvos",
- "brightness_step_description": "Pakeiskite ryškumą tam tikru dydžiu.",
- "brightness_step_value": "Ryškumo žingsnio vertė",
- "brightness_step_pct_description": "Pakeiskite ryškumą procentais.",
- "brightness_step": "Ryškumo žingsnis",
- "add_event_description": "Prideda naują kalendoriaus įvykį.",
- "calendar_id_description": "Norimo kalendoriaus ID.",
- "calendar_id": "Kalendoriaus ID",
- "description_description": "Renginio aprašymas. Neprivaloma.",
- "summary_description": "Veikia kaip renginio pavadinimas.",
- "location_description": "Renginio vieta.",
- "create_event": "Sukurti įvykį",
- "apply_filter": "Taikyti filtrą",
- "days_to_keep": "Dienos išlaikyti",
- "repack": "Perpakuoti",
- "purge": "Išvalymas",
- "domains_to_remove": "Domenai, kuriuos reikia pašalinti",
- "entity_globs_to_remove": "Subjekto gaubliai, kuriuos reikia pašalinti",
- "entities_to_remove": "Pašalintini subjektai",
- "purge_entities": "Išvalyti subjektus",
+ "hue_sat_color": "Atspalvis / soties spalva",
+ "color_temperature_in_kelvin": "Spalvos temperatūra Kelvinais.",
+ "profile_description": "Naudotino šviesos profilio pavadinimas.",
+ "rgbw_color": "RGBW spalva",
+ "rgbww_color": "RGBWW spalva",
+ "white_description": "Nustatykite šviesą į baltą režimą.",
+ "xy_color": "XY spalvos",
+ "turn_off_description": "Siunčia komandą išjungti.",
+ "brightness_step_description": "Pakeiskite ryškumą tam tikru dydžiu.",
+ "brightness_step_value": "Ryškumo žingsnio vertė",
+ "brightness_step_pct_description": "Pakeiskite ryškumą procentais.",
+ "brightness_step": "Ryškumo žingsnis",
+ "toggles_the_helper_on_off": "Įjungia / išjungia pagalbininką.",
+ "turns_off_the_helper": "Išjungia pagalbininką.",
+ "turns_on_the_helper": "Įjungia pagalbininką.",
+ "pauses_the_mowing_task": "Sustabdo pjovimo užduotį.",
+ "starts_the_mowing_task": "Pradedama pjovimo užduotis.",
+ "creates_a_new_backup": "Sukuria naują atsarginę kopiją.",
+ "sets_the_value": "Nustato vertę.",
+ "enter_your_text": "Įveskite savo tekstą.",
+ "set_value": "Nustatyti vertę",
+ "clear_lock_user_code_description": "Išvalo naudotojo kodą iš užrakto.",
+ "code_slot_description": "Kodo lizdas kodui įvesti.",
+ "code_slot": "Kodo lizdas",
+ "clear_lock_user": "Išvalyti užrakto vartotoją",
+ "disable_lock_user_code_description": "Išjungia naudotojo kodą ant užrakto.",
+ "code_slot_to_disable": "Kodo lizdas, kurį reikia išjungti.",
+ "disable_lock_user": "Išjungti užrakinti vartotoją",
+ "enable_lock_user_code_description": "Įjungia naudotojo kodą ant užrakto.",
+ "code_slot_to_enable": "Kodo lizdas įjungti.",
+ "enable_lock_user": "Įgalinti užrakinti vartotoją",
+ "args_description": "Argumentai perduoti komandai.",
+ "args": "Args",
+ "cluster_id_description": "ZCL klasteris, skirtas atributams gauti.",
+ "cluster_id": "Klasterio ID",
+ "type_of_the_cluster": "Klasterio tipas.",
+ "cluster_type": "Klasterio tipas",
+ "command_description": "Komandą (-as), kurią (-ias) siųsti \"Google Assistant\".",
+ "command": "Komanda",
+ "command_type_description": "Komandos, kurią reikia išmokti, tipas.",
+ "command_type": "Komandos tipas",
+ "endpoint_id_description": "Grupės pabaigos taško ID.",
+ "endpoint_id": "Galinio taško ID",
+ "ieee_description": "Prietaiso IEEE adresas.",
+ "ieee": "IEEE",
+ "manufacturer": "Gamintojas",
+ "params_description": "Parametrai, kuriuos reikia perduoti komandai.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Išduoti „Zigbee“ klasterio komandą",
+ "group_description": "Šešioliktainis grupės adresas.",
+ "issue_zigbee_group_command": "Išduoti „Zigbee“ grupės komandą",
+ "permit_description": "Leidžia mazgams prisijungti prie „Zigbee“ tinklo.",
+ "time_to_permit_joins": "Laikas leisti prisijungti.",
+ "install_code": "Įdiegti kodą",
+ "qr_code": "QR kodas",
+ "source_ieee": "Šaltinis IEEE",
+ "permit": "Leidimas",
+ "reconfigure_device": "Iš naujo sukonfigūruoti prietaisą",
+ "remove_description": "Pašalina mazgą iš „Zigbee“ tinklo.",
+ "set_lock_user_code_description": "Nustato naudotojo kodą ant užrakto.",
+ "code_to_set": "Kodas, kurį reikia nustatyti.",
+ "set_lock_user_code": "Nustatykite užrakto naudotojo kodą",
+ "attribute_description": "Norimo nustatyti atributo ID.",
+ "value_description": "Tikslinė vertė, kurią reikia nustatyti.",
+ "set_zigbee_cluster_attribute": "Nustatyti „Zigbee“ klasterio atributą",
+ "level": "Lygis",
+ "strobe": "Stroboskopas",
+ "warning_device_squawk": "Įspėjamasis prietaisas girgžda",
+ "duty_cycle": "Darbo ciklas",
+ "intensity": "Intensyvumas",
+ "warning_device_starts_alert": "Įspėjamasis prietaisas pradeda perspėti",
"dump_log_objects": "Išmeskite rąstų subjektus",
"log_current_tasks_description": "Registruoja visas dabartines asinchronizavimo užduotis.",
"log_current_asyncio_tasks": "Užregistruokite dabartines asinchronines užduotis",
@@ -3267,10 +3478,182 @@
"stop_logging_object_sources": "Sustabdykite subjektų šaltinių registravimą",
"stop_log_objects_description": "Sustabdo subjektų registravimo augimą atmintyje.",
"stop_logging_objects": "Sustabdykite subjektų registravimą",
+ "set_default_level_description": "Nustato numatytąjį integracijų žurnalo lygį.",
+ "level_description": "Numatytasis visų integracijų sunkumo lygis.",
+ "set_default_level": "Nustatykite numatytąjį lygį",
+ "set_level": "Nustatykite lygį",
+ "stops_a_running_script": "Sustabdo vykdomą scenarijų.",
+ "clear_skipped_update": "Išvalyti praleistą naujinimą",
+ "install_update": "Įdiekite naujinimą",
+ "skip_description": "Šiuo metu pasiekiamą naujinį pažymi kaip praleistą.",
+ "skip_update": "Praleisti atnaujinimą",
+ "decrease_speed_description": "Sumažina ventiliatoriaus greitį.",
+ "decrease_speed": "Sumažinti greitį",
+ "increase_speed_description": "Padidina ventiliatoriaus greitį.",
+ "increase_speed": "Padidinti greitį",
+ "oscillate_description": "Valdo ventiliatoriaus virpesius.",
+ "turns_oscillation_on_off": "Įjungia / išjungia virpesius.",
+ "set_direction_description": "Nustato ventiliatoriaus sukimosi kryptį.",
+ "direction_description": "Ventiliatoriaus sukimosi kryptis.",
+ "set_direction": "Nustatyti kryptį",
+ "set_percentage_description": "Nustato ventiliatoriaus greitį.",
+ "speed_of_the_fan": "Ventiliatoriaus greitis.",
+ "percentage": "Procentas",
+ "set_speed": "Nustatykite greitį",
+ "sets_preset_fan_mode": "Nustato iš anksto nustatytą ventiliatoriaus režimą.",
+ "preset_fan_mode": "Iš anksto nustatytas ventiliatoriaus režimas.",
+ "set_preset_mode": "Nustatykite iš anksto nustatytą režimą",
+ "toggles_a_fan_on_off": "Įjungia/išjungia ventiliatorių.",
+ "turns_fan_off": "Išjungia ventiliatorių.",
+ "turns_fan_on": "Įjungia ventiliatorių.",
+ "set_datetime_description": "Nustato datą ir (arba) laiką.",
+ "the_target_date": "Tikslinė data.",
+ "datetime_description": "Tikslinė data & laikas.",
+ "date_time": "Data & laikas",
+ "the_target_time": "Tikslinis laikas.",
+ "log_description": "Sukuria pasirinktinį įrašą žurnale.",
+ "entity_id_description": "Medijos grotuvai, norėdami paleisti pranešimą.",
+ "message_description": "Pranešimo tekstas.",
+ "log": "Žurnalas",
+ "request_sync_description": "„Google“ siunčia komandą request_sync.",
+ "agent_user_id": "Agento naudotojo ID",
+ "request_sync": "Prašyti sinchronizavimo",
+ "apply_description": "Suaktyvina sceną su konfigūracija.",
+ "entities_description": "Subjektų sąrašas ir jų tikslinė būsena.",
+ "entities_state": "Subjektų būsena",
+ "apply": "Taikyti",
+ "creates_a_new_scene": "Sukuria naują sceną.",
+ "entity_states": "Subjekto būsenos",
+ "scene_id_description": "Naujos scenos subjekto ID.",
+ "scene_entity_id": "Scenos subjekto ID",
+ "entities_snapshot": "Objektų momentinė nuotrauka",
+ "delete_description": "Ištrina dinamiškai sukurtą sceną.",
+ "activates_a_scene": "Suaktyvina sceną.",
"reload_themes_description": "Perkrauna temas iš YAML konfigūracijos.",
"reload_themes": "Perkrauti temas",
"name_of_a_theme": "Temos pavadinimas.",
"set_the_default_theme": "Nustatykite numatytąją temą",
+ "decrement_description": "Sumažina dabartinę vertę 1 žingsniu.",
+ "increment_description": "Padidina dabartinę vertę 1 žingsniu.",
+ "reset_description": "Iš naujo nustato skaitiklį į pradinę vertę.",
+ "set_value_description": "Nustato skaičiaus reikšmę.",
+ "check_configuration": "Patikrinkite konfigūraciją",
+ "reload_all": "Įkelti viską iš naujo",
+ "reload_config_entry_description": "Iš naujo įkelia nurodytą konfigūracijos įrašą.",
+ "config_entry_id": "Konfigūracijos įrašo ID",
+ "reload_config_entry": "Iš naujo įkelti konfigūracijos įrašą",
+ "reload_core_config_description": "Iš naujo įkelia pagrindinę konfigūraciją iš YAML konfigūracijos.",
+ "reload_core_configuration": "Iš naujo įkelkite pagrindinę konfigūraciją",
+ "reload_custom_jinja_templates": "Iš naujo įkelkite tinkintus Jinja2 šablonus",
+ "restarts_home_assistant": "Iš naujo paleidžia „Home Assistant“.",
+ "safe_mode_description": "Išjungti pasirinktines integracijas ir pasirinktines korteles.",
+ "save_persistent_states": "Išsaugokite nuolatines būsenas",
+ "set_location_description": "Atnaujina „Home Assistant“ vietą.",
+ "elevation_description": "Jūsų vietos pakilimas virš jūros lygio.",
+ "latitude_of_your_location": "Jūsų buvimo vietos platuma.",
+ "longitude_of_your_location": "Jūsų buvimo vietos ilguma.",
+ "set_location": "Nustatyti vietą",
+ "stops_home_assistant": "Sustabdo „Home Assistant“.",
+ "generic_toggle": "Bendras perjungimas",
+ "generic_turn_off": "Bendras išjungimas",
+ "generic_turn_on": "Bendras įjungimas",
+ "entities_to_update": "Subjektai, kuriuos reikia atnaujinti",
+ "update_entity": "Atnaujinti subjektą",
+ "notify_description": "Siunčia pranešimo pranešimą pasirinktiems tikslams.",
+ "data": "Duomenys",
+ "title_for_your_notification": "Jūsų pranešimo pavadinimas.",
+ "title_of_the_notification": "Pranešimo pavadinimas.",
+ "send_a_persistent_notification": "Siųsti nuolatinį pranešimą",
+ "sends_a_notification_message": "Išsiunčia pranešimo pranešimą.",
+ "your_notification_message": "Jūsų pranešimas.",
+ "title_description": "Pasirenkamas pranešimo pavadinimas.",
+ "send_magic_packet": "Siųsti magišką paketą",
+ "topic_to_listen_to": "Tema, kurios reikia klausytis.",
+ "export": "Eksportuoti",
+ "publish_description": "Paskelbia pranešimą MQTT tema.",
+ "evaluate_payload": "Įvertinkite naudingą apkrovą",
+ "the_payload_to_publish": "Naudinga apkrova, kurią reikia paskelbti.",
+ "payload": "Naudinga apkrova",
+ "payload_template": "Žinutės turinio šablonas",
+ "qos": "QoS",
+ "retain": "Išlaikyti",
+ "topic_to_publish_to": "Tema, į kurią skelbti.",
+ "publish": "Paskelbti",
+ "load_url_description": "Įkelia URL visiškai kiosko naršyklėje.",
+ "url_to_load": "URL įkelti.",
+ "load_url": "Įkelti URL",
+ "configuration_parameter_to_set": "Nustatomas konfigūracijos parametras.",
+ "key": "Raktas",
+ "set_configuration": "Nustatyti konfigūraciją",
+ "application_description": "Paleidžiamos programos paketo pavadinimas.",
+ "application": "Taikomoji programa",
+ "start_application": "Pradėti programą",
+ "battery_description": "Prietaiso baterijos lygis.",
+ "gps_coordinates": "GPS koordinatės",
+ "gps_accuracy_description": "GPS koordinačių tikslumas.",
+ "hostname_of_the_device": "Prietaiso pagrindinio kompiuterio pavadinimas.",
+ "hostname": "Pagrindinio kompiuterio pavadinimas",
+ "mac_description": "Prietaiso MAC adresas.",
+ "see": "Matyti",
+ "device_description": "Prietaiso ID, į kurį reikia siųsti komandą.",
+ "delete_command": "Ištrinti komandą",
+ "alternative": "Alternatyva",
+ "timeout_description": "Laikas, per kurį komanda bus išmokta.",
+ "learn_command": "Išmokite komandą",
+ "delay_seconds": "Vėlavimas sekundėmis",
+ "hold_seconds": "Palaukite sekundes",
+ "repeats": "Pasikartoja",
+ "send_command": "Siųsti komandą",
+ "sends_the_toggle_command": "Siunčia perjungimo komandą.",
+ "turn_on_description": "Pradeda naują valymo užduotį.",
+ "get_weather_forecast": "Gaukite orų prognozę.",
+ "type_description": "Prognozės tipas: kasdien, kas valandą arba du kartus per dieną.",
+ "forecast_type": "Prognozės tipas",
+ "get_forecast": "Gaukite prognozę",
+ "get_weather_forecasts": "Gaukite orų prognozes.",
+ "get_forecasts": "Gaukite prognozes",
+ "press_the_button_entity": "Paspauskite mygtuko subjektą.",
+ "enable_remote_access": "Įgalinti nuotolinę prieigą",
+ "disable_remote_access": "Išjungti nuotolinę prieigą",
+ "create_description": "Pranešimų skydelyje rodomas pranešimas.",
+ "notification_id": "Pranešimo ID",
+ "dismiss_description": "Ištrina pranešimą iš pranešimų skydelio.",
+ "notification_id_description": "Pranešimo, kurį reikia ištrinti, ID.",
+ "dismiss_all_description": "Ištrina visus pranešimus iš pranešimų skydelio.",
+ "locate_description": "Suranda dulkių siurblio robotą.",
+ "pauses_the_cleaning_task": "Pristabdo valymo užduotį.",
+ "send_command_description": "Siunčia komandą dulkių siurbliui.",
+ "parameters": "Parametrai",
+ "set_fan_speed": "Nustatykite ventiliatoriaus greitį",
+ "start_description": "Pradeda arba atnaujina valymo užduotį.",
+ "start_pause_description": "Paleidžia, pristabdo arba atnaujina valymo užduotį.",
+ "stop_description": "Sustabdo esamą valymo užduotį.",
+ "toggle_description": "Įjungia / išjungia medijos grotuvą.",
+ "play_chime_description": "Groja skambėjimo toną per „Reolink Chime“",
+ "target_chime": "Tikslinis varpelis",
+ "ringtone_to_play": "Skambučio melodija groti.",
+ "ringtone": "Skambėjimo tonas",
+ "play_chime": "Groti varpeliu",
+ "ptz_move_description": "Perkelia kamerą tam tikru greičiu.",
+ "ptz_move_speed": "PTZ judėjimo greitis.",
+ "ptz_move": "PTZ judėjimas",
+ "disables_the_motion_detection": "Išjungia judesio aptikimą.",
+ "disable_motion_detection": "Išjungti judesio aptikimą",
+ "enables_the_motion_detection": "Įjungia judesio aptikimą.",
+ "enable_motion_detection": "Įjungti judesio aptikimą",
+ "format_description": "Medijos grotuvo palaikomas srauto formatas.",
+ "format": "Formatas",
+ "media_player_description": "Medijos grotuvai, į kuriuos galima transliuoti.",
+ "play_stream": "Paleisti srautą",
+ "filename_description": "Visas kelias į failo pavadinimą. Turi būti mp4.",
+ "filename": "Failo pavadinimas",
+ "lookback": "Pažiūrėk atgal",
+ "snapshot_description": "Daro momentinę nuotrauką iš fotoaparato.",
+ "full_path_to_filename": "Visas kelias į failo pavadinimą.",
+ "take_snapshot": "Padarykite momentinę nuotrauką",
+ "turns_off_the_camera": "Išjungia fotoaparatą.",
+ "turns_on_the_camera": "Įjungia fotoaparatą.",
+ "reload_resources_description": "Iš naujo įkelia prietaisų skydelio išteklius iš YAML konfigūracijos.",
"clear_tts_cache": "Išvalyti TTS talpyklą",
"language_description": "Teksto kalba. Numatytoji serverio kalba.",
"options_description": "Žodynas su konkrečiomis integracijos parinktimis.",
@@ -3278,15 +3661,121 @@
"media_player_entity_id_description": "Medijos leistuvai, skirti pranešimui paleisti.",
"media_player_entity": "Medijos grotuvo subjektas",
"speak": "Kalbėk",
- "reload_resources_description": "Iš naujo įkelia prietaisų skydelio išteklius iš YAML konfigūracijos.",
- "toggles_the_siren_on_off": "Įjungia/išjungia sireną.",
- "turns_the_siren_off": "Išjungia sireną.",
- "turns_the_siren_on": "Įjungia sireną.",
- "toggles_the_helper_on_off": "Įjungia / išjungia pagalbininką.",
- "turns_off_the_helper": "Išjungia pagalbininką.",
- "turns_on_the_helper": "Įjungia pagalbininką.",
- "pauses_the_mowing_task": "Sustabdo pjovimo užduotį.",
- "starts_the_mowing_task": "Pradedama pjovimo užduotis.",
+ "send_text_command": "Siųsti teksto komandą",
+ "the_target_value": "Tikslinė vertė.",
+ "removes_a_group": "Pašalina grupę.",
+ "creates_updates_a_group": "Sukuria/atnaujina grupę.",
+ "add_entities": "Pridėti subjektus",
+ "icon_description": "Grupės piktogramos pavadinimas.",
+ "name_of_the_group": "Grupės pavadinimas.",
+ "remove_entities": "Pašalinti subjektus",
+ "locks_a_lock": "Užrakina spyną.",
+ "code_description": "Kodas signalizacijai įjungti.",
+ "opens_a_lock": "Atidaro spyną.",
+ "unlocks_a_lock": "Atrakina spyną.",
+ "announce_description": "Tegul satellite praneša pranešimą.",
+ "media_id": "Medijos ID",
+ "the_message_to_announce": "Pranešimas, kurį reikia paskelbti.",
+ "reloads_the_automation_configuration": "Iš naujo įkelia automatikos konfigūraciją.",
+ "trigger_description": "Suaktyvina automatikos veiksmus.",
+ "skip_conditions": "Praleisti sąlygas",
+ "trigger": "Trigeris",
+ "disables_an_automation": "Išjungia automatiką.",
+ "stops_currently_running_actions": "Sustabdo šiuo metu vykdomus veiksmus.",
+ "stop_actions": "Sustabdyti veiksmus",
+ "enables_an_automation": "Įjungia automatizavimą.",
+ "deletes_all_log_entries": "Ištrina visus žurnalo įrašus.",
+ "write_log_entry": "Rašyti žurnalo įrašą.",
+ "log_level": "Žurnalo lygis.",
+ "message_to_log": "Pranešimas prisijungti.",
+ "write": "Rašyti",
+ "dashboard_path": "Prietaisų skydelio kelias",
+ "view_path": "Žiūrėti kelią",
+ "show_dashboard_view": "Rodyti prietaisų skydelio vaizdą",
+ "process_description": "Paleidžia pokalbį iš transkribuoto teksto.",
+ "agent": "Agentas",
+ "conversation_id": "Pokalbio ID",
+ "transcribed_text_input": "Transkribuoto teksto įvestis.",
+ "process": "Procesas",
+ "reloads_the_intent_configuration": "Iš naujo įkeliama tikslo konfigūracija.",
+ "conversation_agent_to_reload": "Pokalbių agentas, kurį reikia įkelti iš naujo.",
+ "closes_a_cover": "Uždaro dangtelį.",
+ "close_cover_tilt_description": "Pakreipkite dangtelį, kad uždarytumėte.",
+ "close_tilt": "Uždaryti pakreipimą",
+ "opens_a_cover": "Atidaro dangtelį.",
+ "tilts_a_cover_open": "Atverčia dangtelį.",
+ "open_tilt": "Atidarykite pakreipimą",
+ "set_cover_position_description": "Perkelia dangtelį į tam tikrą vietą.",
+ "target_position": "Tikslinė padėtis.",
+ "set_position": "Nustatykite padėtį",
+ "target_tilt_positition": "Tikslinė pakreipimo padėtis.",
+ "set_tilt_position": "Nustatykite pakreipimo padėtį",
+ "stops_the_cover_movement": "Sustabdo dangtelio judėjimą.",
+ "stop_cover_tilt_description": "Sustabdo pakreipiamo dangčio judėjimą.",
+ "stop_tilt": "Sustabdyti pakreipimą",
+ "toggles_a_cover_open_closed": "Perjungia dangtelio atidarymą / uždarymą.",
+ "toggle_cover_tilt_description": "Perjungia dangtelio pakreipimą atidarant / uždarant.",
+ "toggle_tilt": "Perjungti pakreipimą",
+ "turns_auxiliary_heater_on_off": "Įjungia/išjungia papildomą šildytuvą.",
+ "aux_heat_description": "Nauja pagalbinio šildytuvo vertė.",
+ "auxiliary_heating": "Pagalbinis šildymas",
+ "turn_on_off_auxiliary_heater": "Įjunkite / išjunkite papildomą šildytuvą",
+ "sets_fan_operation_mode": "Nustato ventiliatoriaus veikimo režimą.",
+ "fan_operation_mode": "Ventiliatoriaus veikimo režimas.",
+ "set_fan_mode": "Nustatykite ventiliatoriaus režimą",
+ "sets_target_humidity": "Nustato tikslinę drėgmę.",
+ "set_target_humidity": "Nustatykite tikslinę drėgmę",
+ "sets_hvac_operation_mode": "Nustato HVAC veikimo režimą.",
+ "hvac_operation_mode": "HVAC veikimo režimas.",
+ "set_hvac_mode": "Nustatykite HVAC režimą",
+ "sets_preset_mode": "Nustato iš anksto nustatytą režimą.",
+ "set_swing_horizontal_mode_description": "Nustatomas horizontalaus siūbavimo režimas.",
+ "horizontal_swing_operation_mode": "Horizontalaus siūbavimo režimas.",
+ "set_horizontal_swing_mode": "Nustatykite horizontalaus siūbavimo režimą",
+ "sets_swing_operation_mode": "Nustatomas siūbavimo režimas.",
+ "swing_operation_mode": "Svyravimo veikimo režimas.",
+ "set_swing_mode": "Nustatykite siūbavimo režimą",
+ "sets_the_temperature_setpoint": "Nustato temperatūros kontrolinę vertę.",
+ "the_max_temperature_setpoint": "Maksimali nustatytoji temperatūra.",
+ "the_min_temperature_setpoint": "Minimali temperatūros nustatyta vertė.",
+ "the_temperature_setpoint": "Temperatūros nustatyta vertė.",
+ "set_target_temperature": "Nustatykite tikslinę temperatūrą",
+ "turns_climate_device_off": "Išjungia klimato prietaisą.",
+ "turns_climate_device_on": "Įjungia klimato prietaisą.",
+ "apply_filter": "Taikyti filtrą",
+ "days_to_keep": "Dienos išlaikyti",
+ "repack": "Perpakuoti",
+ "purge": "Išvalymas",
+ "domains_to_remove": "Domenai, kuriuos reikia pašalinti",
+ "entity_globs_to_remove": "Subjekto gaubliai, kuriuos reikia pašalinti",
+ "entities_to_remove": "Pašalintini subjektai",
+ "purge_entities": "Išvalyti subjektus",
+ "clear_playlist_description": "Pašalina visus elementus iš grojaraščio.",
+ "clear_playlist": "Išvalyti grojaraštį",
+ "selects_the_next_track": "Pasirenkamas kitas takelis.",
+ "pauses": "Pauzės.",
+ "starts_playing": "Pradeda groti.",
+ "toggles_play_pause": "Perjungia atkūrimą / pristabdymą.",
+ "selects_the_previous_track": "Pasirenkamas ankstesnis takelis.",
+ "seek": "Ieškoti",
+ "stops_playing": "Nustoja groti.",
+ "starts_playing_specified_media": "Pradeda leisti nurodytą mediją.",
+ "enqueue": "Eilė",
+ "repeat_mode_to_set": "Norėdami nustatyti, pakartokite režimą.",
+ "select_sound_mode_description": "Pasirenkamas konkretus garso režimas.",
+ "select_sound_mode": "Pasirinkite garso režimą",
+ "select_source": "Pasirinkite šaltinį",
+ "shuffle_description": "Nesvarbu, ar maišymo režimas įjungtas, ar ne.",
+ "unjoin": "Atsijungti",
+ "turns_down_the_volume": "Sumažina garsumą.",
+ "turn_down_volume": "Sumažinkite garsumą",
+ "volume_mute_description": "Nutildo arba įjungia medijos grotuvą.",
+ "is_volume_muted_description": "Nurodo, ar jis nutildytas, ar ne.",
+ "mute_unmute_volume": "Nutildyti / įjungti garsą",
+ "sets_the_volume_level": "Nustato garsumo lygį.",
+ "set_volume": "Nustatykite garsumą",
+ "turns_up_the_volume": "Padidina garsumą.",
+ "turn_up_volume": "Padidinkite garsumą",
"restarts_an_add_on": "Iš naujo paleidžia priedą.",
"the_add_on_to_restart": "Priedas, skirtas paleisti iš naujo.",
"restart_add_on": "Iš naujo paleiskite priedą",
@@ -3325,115 +3814,22 @@
"restore_partial_description": "Atkuriama iš dalinės atsarginės kopijos.",
"restores_home_assistant": "Atkuria „Home Assistant“.",
"restore_from_partial_backup": "Atkurti iš dalinės atsarginės kopijos",
- "decrease_speed_description": "Sumažina ventiliatoriaus greitį.",
- "decrease_speed": "Sumažinti greitį",
- "increase_speed_description": "Padidina ventiliatoriaus greitį.",
- "increase_speed": "Padidinti greitį",
- "oscillate_description": "Valdo ventiliatoriaus virpesius.",
- "turns_oscillation_on_off": "Įjungia / išjungia virpesius.",
- "set_direction_description": "Nustato ventiliatoriaus sukimosi kryptį.",
- "direction_description": "Ventiliatoriaus sukimosi kryptis.",
- "set_direction": "Nustatyti kryptį",
- "set_percentage_description": "Nustato ventiliatoriaus greitį.",
- "speed_of_the_fan": "Ventiliatoriaus greitis.",
- "percentage": "Procentas",
- "set_speed": "Nustatykite greitį",
- "sets_preset_fan_mode": "Nustato iš anksto nustatytą ventiliatoriaus režimą.",
- "preset_fan_mode": "Iš anksto nustatytas ventiliatoriaus režimas.",
- "toggles_a_fan_on_off": "Įjungia/išjungia ventiliatorių.",
- "turns_fan_off": "Išjungia ventiliatorių.",
- "turns_fan_on": "Įjungia ventiliatorių.",
- "get_weather_forecast": "Gaukite orų prognozę.",
- "type_description": "Prognozės tipas: kasdien, kas valandą arba du kartus per dieną.",
- "forecast_type": "Prognozės tipas",
- "get_forecast": "Gaukite prognozę",
- "get_weather_forecasts": "Gaukite orų prognozes.",
- "get_forecasts": "Gaukite prognozes",
- "clear_skipped_update": "Išvalyti praleistą naujinimą",
- "install_update": "Įdiekite naujinimą",
- "skip_description": "Šiuo metu pasiekiamą naujinį pažymi kaip praleistą.",
- "skip_update": "Praleisti atnaujinimą",
- "code_description": "Kodas naudojamas užraktui atrakinti.",
- "arm_with_custom_bypass": "Apsaugota su pasirinktine apsauga",
- "alarm_arm_vacation_description": "Nustato žadintuvą į: _apsiginkluotą atostogoms_.",
- "disarms_the_alarm": "Išjungia signalizaciją.",
- "trigger_the_alarm_manually": "Įjunkite aliarmą rankiniu būdu.",
- "trigger": "Trigeris",
"selects_the_first_option": "Pasirenkama pirmoji parinktis.",
"first": "Pirmas",
"selects_the_last_option": "Pasirenkama paskutinė parinktis.",
"selects_the_next_option": "Pasirenka kitą parinktį.",
"selects_an_option": "Pasirenkama parinktis.",
"selects_the_previous_option": "Pasirenkama ankstesnė parinktis.",
- "disables_the_motion_detection": "Išjungia judesio aptikimą.",
- "disable_motion_detection": "Išjungti judesio aptikimą",
- "enables_the_motion_detection": "Įjungia judesio aptikimą.",
- "enable_motion_detection": "Įjungti judesio aptikimą",
- "format_description": "Medijos grotuvo palaikomas srauto formatas.",
- "format": "Formatas",
- "media_player_description": "Medijos grotuvai, į kuriuos galima transliuoti.",
- "play_stream": "Paleisti srautą",
- "filename_description": "Visas kelias į failo pavadinimą. Turi būti mp4.",
- "filename": "Failo pavadinimas",
- "lookback": "Pažiūrėk atgal",
- "snapshot_description": "Daro momentinę nuotrauką iš fotoaparato.",
- "full_path_to_filename": "Visas kelias į failo pavadinimą.",
- "take_snapshot": "Padarykite momentinę nuotrauką",
- "turns_off_the_camera": "Išjungia fotoaparatą.",
- "turns_on_the_camera": "Įjungia fotoaparatą.",
- "press_the_button_entity": "Paspauskite mygtuko subjektą.",
+ "add_event_description": "Prideda naują kalendoriaus įvykį.",
+ "location_description": "Renginio vieta. Neprivaloma.",
"start_date_description": "Visą dieną trunkančio renginio pradžios data.",
+ "create_event": "Sukurti įvykį",
"get_events": "Gaukite įvykius",
- "select_the_next_option": "Pasirinkite kitą parinktį.",
- "sets_the_options": "Nustato parinktis.",
- "list_of_options": "Pasirinkimų sąrašas.",
- "set_options": "Nustatykite parinktis",
- "closes_a_cover": "Uždaro dangtelį.",
- "close_cover_tilt_description": "Pakreipkite dangtelį, kad uždarytumėte.",
- "close_tilt": "Uždaryti pakreipimą",
- "opens_a_cover": "Atidaro dangtelį.",
- "tilts_a_cover_open": "Atverčia dangtelį.",
- "open_tilt": "Atidarykite pakreipimą",
- "set_cover_position_description": "Perkelia dangtelį į tam tikrą vietą.",
- "target_tilt_positition": "Tikslinė pakreipimo padėtis.",
- "set_tilt_position": "Nustatykite pakreipimo padėtį",
- "stops_the_cover_movement": "Sustabdo dangtelio judėjimą.",
- "stop_cover_tilt_description": "Sustabdo pakreipiamo dangčio judėjimą.",
- "stop_tilt": "Sustabdyti pakreipimą",
- "toggles_a_cover_open_closed": "Perjungia dangtelio atidarymą / uždarymą.",
- "toggle_cover_tilt_description": "Perjungia dangtelio pakreipimą atidarant / uždarant.",
- "toggle_tilt": "Perjungti pakreipimą",
- "request_sync_description": "„Google“ siunčia komandą request_sync.",
- "agent_user_id": "Agento naudotojo ID",
- "request_sync": "Prašyti sinchronizavimo",
- "log_description": "Sukuria pasirinktinį įrašą žurnale.",
- "message_description": "Pranešimo tekstas.",
- "log": "Žurnalas",
- "enter_your_text": "Įveskite savo tekstą.",
- "set_value": "Nustatyti vertę",
- "topic_to_listen_to": "Tema, kurios reikia klausytis.",
- "export": "Eksportuoti",
- "publish_description": "Paskelbia pranešimą MQTT tema.",
- "evaluate_payload": "Įvertinkite naudingą apkrovą",
- "the_payload_to_publish": "Naudinga apkrova, kurią reikia paskelbti.",
- "payload": "Naudinga apkrova",
- "payload_template": "Žinutės turinio šablonas",
- "qos": "QoS",
- "retain": "Išlaikyti",
- "topic_to_publish_to": "Tema, į kurią skelbti.",
- "reloads_the_automation_configuration": "Iš naujo įkelia automatikos konfigūraciją.",
- "trigger_description": "Suaktyvina automatikos veiksmus.",
- "skip_conditions": "Praleisti sąlygas",
- "disables_an_automation": "Išjungia automatiką.",
- "stops_currently_running_actions": "Sustabdo šiuo metu vykdomus veiksmus.",
- "stop_actions": "Sustabdyti veiksmus",
- "enables_an_automation": "Įjungia automatizavimą.",
- "enable_remote_access": "Įgalinti nuotolinę prieigą",
- "disable_remote_access": "Išjungti nuotolinę prieigą",
- "set_default_level_description": "Nustato numatytąjį integracijų žurnalo lygį.",
- "level_description": "Numatytasis visų integracijų sunkumo lygis.",
- "set_default_level": "Nustatykite numatytąjį lygį",
- "set_level": "Nustatykite lygį",
+ "closes_a_valve": "Uždaro vožtuvą.",
+ "opens_a_valve": "Atidaro vožtuvą.",
+ "set_valve_position_description": "Perkelia vožtuvą į tam tikrą padėtį.",
+ "stops_the_valve_movement": "Sustabdo vožtuvo judėjimą.",
+ "toggles_a_valve_open_closed": "Perjungia vožtuvo atidarymą / uždarymą.",
"bridge_identifier": "Tilto identifikatorius",
"configuration_payload": "Konfigūracijos naudingoji apkrova",
"entity_description": "Nurodo konkretų prietaiso galinį tašką deCONZ.",
@@ -3442,81 +3838,32 @@
"device_refresh_description": "Atnaujina turimus deCONZ prietaisus.",
"device_refresh": "Prietaiso atnaujinimas",
"remove_orphaned_entries": "Pašalinti našlaičių įrašus",
- "locate_description": "Suranda dulkių siurblio robotą.",
- "pauses_the_cleaning_task": "Pristabdo valymo užduotį.",
- "send_command_description": "Siunčia komandą dulkių siurbliui.",
- "command_description": "Komandą (-as), kurią (-ias) siųsti \"Google Assistant\".",
- "parameters": "Parametrai",
- "set_fan_speed": "Nustatykite ventiliatoriaus greitį",
- "start_description": "Pradeda arba atnaujina valymo užduotį.",
- "start_pause_description": "Paleidžia, pristabdo arba atnaujina valymo užduotį.",
- "stop_description": "Sustabdo esamą valymo užduotį.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Įjungia / išjungia jungiklį.",
- "turns_a_switch_off": "Išjungia jungiklį.",
- "turns_a_switch_on": "Įjungia jungiklį.",
+ "calendar_id_description": "Norimo kalendoriaus ID.",
+ "calendar_id": "Kalendoriaus ID",
+ "description_description": "Renginio aprašymas. Neprivaloma.",
+ "summary_description": "Veikia kaip renginio pavadinimas.",
"extract_media_url_description": "Ištraukite medijos URL iš paslaugos.",
"format_query": "Formatuoti užklausą",
"url_description": "URL, kur galima rasti mediją.",
"media_url": "Medijos URL",
"get_media_url": "Gaukite medijos URL",
"play_media_description": "Atsisiunčia failą iš nurodyto URL.",
- "notify_description": "Siunčia pranešimo pranešimą pasirinktiems tikslams.",
- "data": "Duomenys",
- "title_for_your_notification": "Jūsų pranešimo pavadinimas.",
- "title_of_the_notification": "Pranešimo pavadinimas.",
- "send_a_persistent_notification": "Siųsti nuolatinį pranešimą",
- "sends_a_notification_message": "Išsiunčia pranešimo pranešimą.",
- "your_notification_message": "Jūsų pranešimas.",
- "title_description": "Pasirenkamas pranešimo pavadinimas.",
- "process_description": "Paleidžia pokalbį iš transkribuoto teksto.",
- "agent": "Agentas",
- "conversation_id": "Pokalbio ID",
- "transcribed_text_input": "Transkribuoto teksto įvestis.",
- "process": "Procesas",
- "reloads_the_intent_configuration": "Iš naujo įkeliama tikslo konfigūracija.",
- "conversation_agent_to_reload": "Pokalbių agentas, kurį reikia įkelti iš naujo.",
- "play_chime_description": "Groja skambėjimo toną per „Reolink Chime“",
- "target_chime": "Tikslinis varpelis",
- "ringtone_to_play": "Skambučio melodija groti.",
- "ringtone": "Skambėjimo tonas",
- "play_chime": "Groti varpeliu",
- "ptz_move_description": "Perkelia kamerą tam tikru greičiu.",
- "ptz_move_speed": "PTZ judėjimo greitis.",
- "ptz_move": "PTZ judėjimas",
- "send_magic_packet": "Siųsti magišką paketą",
- "send_text_command": "Siųsti teksto komandą",
- "announce_description": "Tegul satellite praneša pranešimą.",
- "media_id": "Medijos ID",
- "the_message_to_announce": "Pranešimas, kurį reikia paskelbti.",
- "deletes_all_log_entries": "Ištrina visus žurnalo įrašus.",
- "write_log_entry": "Rašyti žurnalo įrašą.",
- "log_level": "Žurnalo lygis.",
- "message_to_log": "Pranešimas prisijungti.",
- "write": "Rašyti",
- "locks_a_lock": "Užrakina spyną.",
- "opens_a_lock": "Atidaro spyną.",
- "unlocks_a_lock": "Atrakina spyną.",
- "removes_a_group": "Pašalina grupę.",
- "creates_updates_a_group": "Sukuria/atnaujina grupę.",
- "add_entities": "Pridėti subjektus",
- "icon_description": "Grupės piktogramos pavadinimas.",
- "name_of_the_group": "Grupės pavadinimas.",
- "remove_entities": "Pašalinti subjektus",
- "stops_a_running_script": "Sustabdo vykdomą scenarijų.",
- "create_description": "Pranešimų skydelyje rodomas pranešimas.",
- "notification_id": "Pranešimo ID",
- "dismiss_description": "Ištrina pranešimą iš pranešimų skydelio.",
- "notification_id_description": "Pranešimo, kurį reikia ištrinti, ID.",
- "dismiss_all_description": "Ištrina visus pranešimus iš pranešimų skydelio.",
- "load_url_description": "Įkelia URL visiškai kiosko naršyklėje.",
- "url_to_load": "URL įkelti.",
- "load_url": "Įkelti URL",
- "configuration_parameter_to_set": "Nustatomas konfigūracijos parametras.",
- "key": "Raktas",
- "set_configuration": "Nustatyti konfigūraciją",
- "application_description": "Paleidžiamos programos paketo pavadinimas.",
- "application": "Taikomoji programa",
- "start_application": "Pradėti programą"
+ "select_the_next_option": "Pasirinkite kitą parinktį.",
+ "sets_the_options": "Nustato parinktis.",
+ "list_of_options": "Pasirinkimų sąrašas.",
+ "set_options": "Nustatykite parinktis",
+ "arm_with_custom_bypass": "Apsaugota su pasirinktine apsauga",
+ "alarm_arm_vacation_description": "Nustato žadintuvą į: _apsiginkluotą atostogoms_.",
+ "disarms_the_alarm": "Išjungia signalizaciją.",
+ "trigger_the_alarm_manually": "Įjunkite aliarmą rankiniu būdu.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Paleidžia laikmatį anksčiau nei numatyta.",
+ "duration_description": "Pasirinktinė trukmė, per kurią iš naujo paleidžiamas laikmatis.",
+ "toggles_a_switch_on_off": "Įjungia / išjungia jungiklį.",
+ "turns_a_switch_off": "Išjungia jungiklį.",
+ "turns_a_switch_on": "Įjungia jungiklį."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/lv/lv.json b/packages/core/src/hooks/useLocale/locales/lv/lv.json
index e131c1d7..1420771d 100644
--- a/packages/core/src/hooks/useLocale/locales/lv/lv.json
+++ b/packages/core/src/hooks/useLocale/locales/lv/lv.json
@@ -7,10 +7,11 @@
"logbook": "Logbook",
"history": "History",
"to_do_lists": "To-do lists",
- "developer_tools": "Developer tools",
+ "developer_tools": "Izstrādātāju rīki",
"media": "Mediji",
"profile": "Profile",
"panel_mailbox": "Pastkaste",
+ "panel_shopping_list": "Iepirkumu saraksts",
"unknown": "Nezināms",
"unavailable": "Nepieejams",
"unk": "Nez",
@@ -51,7 +52,7 @@
"disarmed": "Atslēgta",
"area_not_found": "Apgabals nav atrasts.",
"last_triggered": "Pēdējo reizi pārslēgts",
- "run_actions": "Run actions",
+ "run_actions": "Izpildīt darbības",
"press": "Press",
"image_not_available": "Attēls nav pieejams",
"currently": "Pašlaik",
@@ -123,7 +124,7 @@
"repeat_mode": "Repeat mode",
"shuffle": "Shuffle",
"text_to_speak": "Teksts, ko izrunāt",
- "nothing_playing": "Nothing playing",
+ "nothing_playing": "Nekas netiek atskaņots",
"dismiss": "Dismiss",
"activate": "Activate",
"run": "Palaist",
@@ -133,7 +134,7 @@
"cancel": "Cancel",
"cancel_number": "Atcelt {number}",
"cancel_all": "Cancel all",
- "idle": "Idle",
+ "idle": "Dīkstāve",
"run_script": "Run script",
"option": "Option",
"installing": "Uzstādīšana",
@@ -224,8 +225,8 @@
"default": "Default",
"select_media_player": "Izvēlieties multivides atskaņotāju",
"media_browse_not_supported": "Atskaņotājs neatbalsta multivides atskaņošanu.",
- "pick_media": "Pick media",
- "manually_enter_media_id": "Manually enter media ID",
+ "pick_media": "Izvēlēties multvidi",
+ "manually_enter_media_id": "Manuāli ievadīt Media ID",
"media_content_id": "Media content ID",
"media_content_type": "Media content type",
"upload_failed": "Augšupielāde neizdevās",
@@ -241,7 +242,7 @@
"selector_options": "Selector Options",
"action": "Action",
"area": "Area",
- "attribute": "Atribūts",
+ "attribute": "Attribute",
"boolean": "Boolean",
"condition": "Condition",
"date": "Date",
@@ -263,6 +264,7 @@
"learn_more_about_templating": "Learn more about templating.",
"show_password": "Show password",
"hide_password": "Hide password",
+ "ui_components_selectors_background_yaml_info": "Fona attēls ir iestatīts, izmantojot yaml redaktoru.",
"no_logbook_events_found": "Žurnālā nav notikumu",
"triggered_by": "palaišana ar trigeri",
"triggered_by_automation": "ar automatizāciju",
@@ -277,43 +279,42 @@
"logbook_triggered_by_homeassistant_starting": "darbojas palaižoties Home Assistant",
"traces": "Izsekošana",
"could_not_load_logbook": "Nevarēja ielādēt žurnālu",
- "was_detected_away": "was detected away",
- "was_detected_at_state": "{state}",
+ "was_detected_away": "tika konstatēta prombūtnē",
+ "was_detected_at_state": "tika konstatēta {state} stāvoklī",
"rose": "paaugstinājās",
"set": "Set",
- "was_low": "was low",
- "was_normal": "was normal",
- "was_connected": "was connected",
- "was_disconnected": "was disconnected",
- "was_opened": "was opened",
- "was_closed": "was closed",
+ "was_low": "bija zem normas",
+ "was_normal": "bija normas robežās",
+ "was_connected": "tika savienota",
+ "was_unplugged": "tika atvienota",
+ "was_opened": "tika atvērta",
+ "was_closed": "tika aizvērta",
"is_opening": "tiek atvērta",
- "is_opened": "is opened",
+ "is_opened": "ir atvērta",
"is_closing": "tiek aizvērta",
- "was_unlocked": "was unlocked",
- "was_locked": "was locked",
+ "was_unlocked": "tika atslēgta",
+ "was_locked": "tika bloķēta",
"is_unlocking": "tiek atslēgta",
"is_locking": "tiek slēgta",
"is_jammed": "ir iestrēdzis",
- "was_plugged_in": "was plugged in",
- "was_unplugged": "was unplugged",
- "was_detected_at_home": "was detected at home",
- "was_unsafe": "was unsafe",
- "was_safe": "was safe",
- "detected_device_class": "detected {device_class}",
- "cleared_no_device_class_detected": "cleared (no {device_class} detected)",
+ "was_plugged_in": "tika pievienota",
+ "was_detected_at_home": "tika konstatēta mājās",
+ "was_unsafe": "bija nedroša",
+ "was_safe": "bija drošībā",
+ "detected_device_class": "konstatēta {device_class}",
+ "cleared_no_device_class_detected": "nodzēsts (nav konstatēta {device_class})",
"turned_off": "izslēdzās",
"turned_on": "ieslēdzās",
"changed_to_state": "nomainījās uz {state}",
"became_unavailable": "kļuva nepieejama",
"became_unknown": "nonāca nezināmā stāvoklī",
- "detected_tampering": "detected tampering",
- "cleared_tampering": "cleared tampering",
+ "detected_tampering": "konstatē ielaušanos",
+ "cleared_tampering": "nekonstatē ielaušanos",
"event_type_event_detected": "Konstatēts {event_type} notikums",
"detected_an_event": "konstatēts notikums",
"detected_an_unknown_event": "konstatēts nezināms notikums",
- "started_charging": "started charging",
- "stopped_charging": "stopped charging",
+ "started_charging": "lādēšana uzsākta",
+ "stopped_charging": "lādēšana pārtraukta",
"ui_components_logbook_triggered_by_service": "ar servisu",
"entity_picker_no_entities": "Nav atrasta neviena vienība",
"no_matching_entities_found": "Nav atrastas atbilstošas vienības",
@@ -362,12 +363,12 @@
"no_user": "Nav lietotāja",
"add_user": "Pievienot lietotāju",
"remove_user": "Noņemt lietotāju",
- "select_a_blueprint": "Select a blueprint",
+ "select_a_blueprint": "Izvēlēties projektu",
"show_devices": "Rādīt ierīces",
"device_picker_no_devices": "Nav ierīču",
"no_matching_devices_found": "Nav atrastas atbilstošas ierīces",
"unnamed_device": "Unnamed device",
- "no_area": "No area",
+ "no_area": "Nav apgabala",
"show_categories": "Rādīt kategorijas",
"categories": "Kategorijas",
"category": "Kategorija",
@@ -418,7 +419,7 @@
"learn_more_about_statistics": "Uzzini vairāk par statistiku",
"add_on": "Add-on",
"error_no_supervisor": "Storage is not supported on your installation.",
- "error_fetch_addons": "There was an error loading add-ons.",
+ "error_fetch_addons": "Kļūda ielādējot papildinājumus.",
"mount_picker_use_datadisk": "Use data disk for backup",
"error_fetch_mounts": "There was an error loading the locations.",
"speech_to_text": "Runas pārvēršana tekstā",
@@ -433,7 +434,7 @@
"uploading_name": "{name} augšupielāde",
"add_file": "Pievienot failu",
"file_upload_secondary": "Vai arī pārvelciet failu šeit",
- "add_picture": "Add picture",
+ "add_picture": "Pievienot attēlu",
"clear_picture": "Clear picture",
"current_picture": "Pašreizējais attēls",
"picture_upload_supported_formats": "Atbalsta JPEG, PNG vai GIF attēlus.",
@@ -535,19 +536,19 @@
"pick": "Izvēlēties",
"play_media": "Play media",
"no_items": "Nav vienību",
- "choose_player": "Choose player",
- "web_browser": "Web browser",
+ "choose_player": "Izvēlēties atskaņotāju",
+ "web_browser": "Interneta pārlūks",
"media_player": "Media player",
- "media_browsing_error": "Media browsing error",
+ "media_browsing_error": "Multivides pārlūkošanas kļūda",
"documentation": "dokumentācija",
"no_local_media_found": "Nav atrasta lokālā multivide",
- "media_management": "Media management",
+ "media_management": "Multivides pārvaldība",
"manage": "Pārvaldīt",
"no_media_items_found": "Nav atrasts neviens multivides vienums",
"file_management_folders_not_supported": "Mapes nevar pārvaldīt, izmantojot lietotāja saskarni.",
"file_management_highlight_button": "Noklikšķiniet šeit, lai lejupielādētu savu pirmo multivides failu",
"upload_failed_reason": "Augšupielāde neizdevās: {reason}",
- "add_media": "Add media",
+ "add_media": "Pievienot multividi",
"delete_count": "Dzēst {count}",
"deleting_count": "{count} dzēšana",
"storage": "Krātuve",
@@ -571,7 +572,7 @@
"url": "URL",
"video": "Video",
"media_browser_media_player_unavailable": "Atlasītais multivides atskaņotājs nav pieejams.",
- "auto": "Automātiski",
+ "auto": "Auto",
"grid": "Režģis",
"list": "List",
"task_name": "Task name",
@@ -583,21 +584,21 @@
"due_date": "Due date",
"item_not_all_required_fields": "Not all required fields are filled in",
"confirm_delete_prompt": "Do you want to delete this item?",
- "my_calendars": "My calendars",
+ "my_calendars": "Mani kalendāri",
"create_calendar": "Create calendar",
"calendar_event_retrieval_error": "Neizdevās iegūt notikumus kalendāriem:",
"add_event": "Add event",
- "delete_event": "Delete event",
- "edit_event": "Edit event",
- "save_event": "Save event",
+ "delete_event": "Dzēst notikumu",
+ "edit_event": "Rediģēt notikumu",
+ "save_event": "Saglabāt notikumu",
"all_day": "Visu dienu",
"end": "End",
"event_not_all_required_fields": "Nav aizpildīti visi obligātie lauki",
- "delete_only_this_event": "Delete only this event",
- "delete_all_future_events": "Delete all future events",
- "update_event": "Update event",
- "update_only_this_event": "Update only this event",
- "update_all_future_events": "Update all future events",
+ "delete_only_this_event": "Dzēst tikai šo notikumu",
+ "delete_all_future_events": "Dzēst visus turpmākos notikumus",
+ "update_event": "Atjaunināt notikumu",
+ "update_only_this_event": "Atjaunināt tikai šo notikumu",
+ "update_all_future_events": "Atjaunināt visus turpmākos notikumus",
"repeat": "Repeat",
"no_repeat": "Neatkārtot",
"yearly": "Katru gadu",
@@ -607,7 +608,7 @@
"months": "mēn.",
"weeks": "ned.",
"days": "d.",
- "repeat_monthly": "Repeat monthly",
+ "repeat_monthly": "Atkārtot katru mēnesi",
"sun": "Saule",
"mon": "Pr",
"tue": "Ot",
@@ -617,9 +618,9 @@
"sat": "Se",
"after": "Pēc",
"on": "Ieslēgts",
- "end_on": "End on",
- "end_after": "End after",
- "occurrences": "occurrences",
+ "end_on": "Beidzas",
+ "end_after": "Beidzas pēc",
+ "occurrences": "reizi(-es)",
"every": "katru",
"years": "g.",
"year": "Gads",
@@ -644,7 +645,7 @@
"copy_to_clipboard": "Copy to clipboard",
"yaml_editor_error": "Error in parsing YAML: {reason}",
"line_line_column_column": "rinda: {line}, kolonna: {column}",
- "last_changed": "Last changed",
+ "last_changed": "Pēdējo reizi mainīts",
"last_updated": "Last updated",
"remaining_time": "Remaining time",
"install_status": "Install status",
@@ -705,12 +706,12 @@
"blueprints": "Projekti",
"yaml": "YAML",
"system": "Sistēma",
- "add_on_dashboard": "Paplašinājumu infopanelis",
- "add_on_store": "Paplašinājumu veikals",
+ "add_on_dashboard": "Papildinājumu infopanelis",
+ "add_on_store": "Papildinājumu veikals",
"addon_info": "{addon} Informācija",
"search_entities": "Meklēt vienības",
"search_devices": "Meklēt ierīces",
- "quick_search": "Quick search",
+ "quick_search": "Ātrā meklēšana",
"nothing_found": "Nekas nav atrasts!",
"assist": "Asistēt",
"voice_command_did_not_hear": "Home Assistant neko nedzird",
@@ -748,9 +749,9 @@
"update": "Update",
"can_not_skip_version": "Nevar izlaist versiju",
"ui_dialogs_more_info_control_update_create_backup": "Izveidot rezerves kopiju pirms atjaunināšanas",
- "update_instructions": "Update instructions",
+ "update_instructions": "Atjaunināšanas instrukcijas",
"current_action": "Pašreizējā darbība",
- "status": "Statuss",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Putekļsūcēja komandas:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -785,7 +786,7 @@
"default_code": "Noklusējuma kods",
"editor_default_code_error": "Kods neatbilst koda formātam",
"entity_id": "Entity ID",
- "unit_of_measurement": "Mērvienība",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "Nokrišņu mērvienība",
"display_precision": "Noapaļošana",
"default_value": "Pēc noklusējuma ({value})",
@@ -806,7 +807,7 @@
"cold": "Aukstums",
"connectivity": "Savienojamība",
"gas": "Gāze",
- "heat": "Sildīšana",
+ "heat": "Heat",
"light": "Gaisma",
"moisture": "Mitrums",
"motion": "Kustība",
@@ -843,7 +844,7 @@
"editor_change_device_settings": "Varat {link} ierīces iestatījumos",
"change_the_device_area": "mainiet ierīces apgabalu",
"integration_options": "{integration} opcijas",
- "specific_settings_for_integration": "Specific settings for {integration}",
+ "specific_settings_for_integration": "Specifiskie {integration} iestatījumi",
"preload_camera_stream": "Kameras plūsmas priekšielāde",
"camera_stream_orientation": "Kameras plūsmas orientācija",
"no_orientation_transform": "Nemainīt orientēšanu",
@@ -855,21 +856,21 @@
"rotate_right_and_flip": "Pagriezt pa labi un apvērst",
"rotate_right": "Pagriezt pa labi",
"voice_assistants": "Balss palīgi",
- "ui_dialogs_entity_registry_editor_hidden_description": "Slēptās vienības netiks rādītas jūsu infopanelī, kā arī netiks iekļautas, ja uz tām būs netieša atsauce no, piemēram, apgabala vai ierīces. To vēsture joprojām tiek izsekota un jūs joprojām varat mijiedarboties ar tām, izmantojot pakalpojumus.",
+ "ui_dialogs_entity_registry_editor_hidden_description": "Slēptās vienības netiks rādītas jūsu infopanelī, kā arī netiks iekļautas, ja uz tām būs netieša atsauce (piemēram, no apgabala vai ierīces). To vēsture joprojām tiek izsekota un jūs joprojām varat mijiedarboties ar tām, izmantojot pakalpojumus.",
"enable_type": "Iespējot {type}",
"device_registry_detail_enabled_cause": "{type} ir atspējots ar {cause}.",
"service": "pakalpojums",
"unknown_error": "Nezināma kļūda",
- "expose": "Atklāt balss palīgiem",
+ "expose": "Atklāt",
"aliases": "Aizstājvārdi",
"ask_for_pin": "Prasīt PIN kodu",
"managed_in_configuration_yaml": "Pārvalda configuration.yaml",
"unsupported": "Netiek atbalstīts",
"more_info_about_entity": "Vairāk informācijas par vienību",
- "restart_home_assistant": "Restart Home Assistant?",
+ "restart_home_assistant": "Restartēt Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Ātrā pārlādēšana",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Notiek konfigurācijas atkārtota ielāde",
"failed_to_reload_configuration": "Neizdevās pārlādēt konfigurāciju",
"restart_description": "Pārtrauc visas darbojošās automatizācijas un skriptus.",
@@ -900,8 +901,8 @@
"password": "Password",
"regex_pattern": "Regex paraugs",
"used_for_client_side_validation": "Izmanto klienta daļas pārbaudei",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Ievades lauks",
"slider": "Slaiders",
"step_size": "Soļa lielums",
@@ -918,12 +919,12 @@
"options_successfully_saved": "Opcijas ir veiksmīgi saglabātas.",
"repair_issue": "Novērst problēmu",
"the_issue_is_repaired": "Problēma ir novērsta!",
- "system_options_for_integration": "System options for {integration}",
- "enable_newly_added_entities": "Enable newly added entities",
- "enable_polling_for_changes": "Enable polling for changes",
+ "system_options_for_integration": "Sistēmas opcijas {integration} integrācijai",
+ "enable_newly_added_entities": "Iespējot tikko pievienotās vienības.",
+ "enable_polling_for_changes": "Iespējot izmaiņu aptauju.",
"reconfiguring_device": "Ierīces pārkonfigurēšana",
"configuring": "Konfigurēšana",
- "start_reconfiguration": "Start reconfiguration",
+ "start_reconfiguration": "Sākt pārkonfigurēšanu",
"device_reconfiguration_complete": "Ierīces pārkonfigurēšana pabeigta.",
"show_details": "Show details",
"hide_details": "Hide details",
@@ -944,7 +945,7 @@
"services_zigbee_information": "Skatīt Zigbee ierīces informāciju.",
"ui_dialogs_zha_device_info_confirmations_remove": "Vai tiešām vēlaties noņemt ierīci?",
"quirk": "Quirk",
- "last_seen": "Last seen",
+ "last_seen": "Pēdējo reizi redzēts",
"power_source": "Power source",
"change_device_name": "Mainīt ierīces nosaukumu",
"device_debug_info": "{device} atkļūdošanas informācija",
@@ -1030,14 +1031,14 @@
"ui_errors_config_editor_not_available": "Vizuālais redaktors nav pieejams veidam \"{type}\".",
"ui_errors_config_error_detected": "Atrastas konfigurācijas kļūdas",
"supervisor_title": "Nevar ielādēt Supervisor paneli!",
- "ask_for_help": "Ask for help.",
- "supervisor_reboot": "Try a reboot of the host.",
- "check_the_observer": "Check the observer.",
- "check_the_system_health": "Check the system health.",
+ "ask_for_help": "Lūgt palīdzību",
+ "supervisor_reboot": "Mēģiniet pārstartēt saimniekdatoru",
+ "check_the_observer": "Pārbaudiet Observer",
+ "check_the_system_health": "Pārbaudiet sistēmas darbspēju",
"remember": "Atcerēties",
"log_in": "Pieslēgties",
- "notification_drawer_click_to_configure": "Click button to configure {entity}",
- "no_notifications": "No notifications",
+ "notification_drawer_click_to_configure": "Noklikšķiniet uz pogas, lai konfigurētu {entity}",
+ "no_notifications": "Nav paziņojumu",
"notifications": "Notifications",
"dismiss_all": "Dismiss all",
"notification_toast_action_failed": "Failed to perform the action {service}.",
@@ -1046,8 +1047,8 @@
"triggered_name": "Triggered {name}",
"notification_toast_no_matching_link_found": "Netika atrastas atbilstošas saites uz {path}",
"ui_notification_toast_service_call_failed": "Neizdevās izsaukt servisu {service}.",
- "app_settings": "App settings",
- "sidebar_toggle": "Sidebar toggle",
+ "app_settings": "Lietotnes konfigurēšana",
+ "sidebar_toggle": "Sānu joslas pārslēgs",
"hide_panel": "Paslēpt paneli",
"show_panel": "Parādīt paneli",
"preparing_home_assistant": "Preparing Home Assistant",
@@ -1062,15 +1063,15 @@
"retry": "Retry",
"download_logs": "Download logs",
"error_installing_home_assistant": "Error installing Home Assistant",
- "read_our_vision": "Lasīt mūsu vīziju",
- "join_our_community": "Pievienoties komūnai",
- "download_our_app": "Lejupielādēt mūsu applikāciju",
+ "read_our_vision": "Izlasiet mūsu vīziju",
+ "join_our_community": "Pievienojieties mūsu kopienai",
+ "download_our_app": "Lejupielādējiet mūsu lietotni",
"home_assistant_forums": "Home Assistant forumi",
- "welcome_open_home_newsletter": "Būvēt Open Home ziņas",
- "discord_chat": "Discord čats",
+ "welcome_open_home_newsletter": "Open Home jaunumu izveide",
+ "discord_chat": "Discord tērzēšana",
"mastodon": "Mastodon",
- "welcome_playstore": "Iegūt Google Play",
- "welcome_appstore": "Lejupielādēt App Store",
+ "welcome_playstore": "Iegūt no Google Play",
+ "welcome_appstore": "Lejupielādēt no App Store",
"show_more_information": "Rādīt vairāk informācijas",
"actions_no_entity_more_info": "Nav norādīta vienība par ko iegūt plašāku informāciju",
"actions_no_entity_toggle": "Nav norādīta vērtība, ko pārslēgt",
@@ -1110,8 +1111,8 @@
"solar_total": "Saules baterija",
"water_total": "Ūdens kopējais daudzums",
"cost": "Izmaksas",
- "previous_energy": "Previous energy",
- "previous_cost": "Previous cost",
+ "previous_energy": "Iepriekšējais enerģijas patēriņš",
+ "previous_cost": "Iepriekšējās izmaksas",
"battery_total": "Akumulators kopā",
"total_costs": "Kopējās izmaksas",
"production_name": "Ražošana {name}",
@@ -1133,10 +1134,9 @@
"low_carbon": "Zemu oglekļa emisiju",
"energy_distribution_go_to_energy_dashboard": "Dodties uz enerģijas infopaneli",
"energy_usage": "Enerģijas patēriņš",
- "previous_energy_usage": "Iepriekšējais enerģijas patēriņš",
"untracked_consumption": "Untracked consumption",
- "low_carbon_electricity_consumed": "Low-carbon electricity consumed",
- "carbon_consumed_gauge_low_carbon_energy_not_calculated": "Consumed low-carbon electricity couldn't be calculated",
+ "low_carbon_electricity_consumed": "Patērētais zema oglekļa daudzuma elektrības apjoms",
+ "carbon_consumed_gauge_low_carbon_energy_not_calculated": "Patērētās zema oglekļa daudzuma elektrības apjomu neizdevās aprēķināt",
"kitchen": "Kitchen",
"unused_entities": "Neizmantotās vienības",
"no_unused_entities_found": "Nav atrastas neizmantotas vienības",
@@ -1149,7 +1149,7 @@
"ui_panel_lovelace_views_confirm_delete_existing_cards_text": "Vai tiešām vēlaties dzēst savu skatu “{name}”? Skatā ir {number} kartītes, kas tiks dzēstas. Šo darbību nevar atsaukt.",
"ui_panel_lovelace_views_confirm_delete_text": "Vai tiešām vēlaties dzēst savu skatu “{name}”?",
"edit_dashboard": "Edit dashboard",
- "entity_search": "Entity search",
+ "entity_search": "Vienību meklēšana",
"reload_resources": "Reload resources",
"reload_resources_refresh_header": "Vai vēlaties atsvaidzināt?",
"edit_ui": "Rediģēt lietotāja saskarni",
@@ -1157,7 +1157,7 @@
"raw_configuration_editor": "Raw configuration editor",
"manage_dashboards": "Pārvaldīt infopaneļus",
"manage_resources": "Pārvaldīt resursus",
- "edit_configuration": "Edit configuration",
+ "edit_configuration": "Konfigurācijas rediģēšana",
"unsaved_changes": "Nesaglabātās izmaiņas",
"saved": "Saglabāts",
"delete_dashboard_configuration": "Delete dashboard configuration?",
@@ -1170,7 +1170,7 @@
"title_of_your_dashboard": "Infopaneļa virsraksts",
"edit_title": "Rediģēt virsrakstu",
"title": "Title",
- "view_configuration": "View configuration",
+ "view_configuration": "Skatīt konfigurāciju",
"name_view_configuration": "{name} skata konfigurācija",
"add_view": "Pievienot skatu",
"background_settings": "Background settings",
@@ -1207,19 +1207,19 @@
"sections_default": "Sections (default)",
"masonry": "Mūris",
"sidebar": "Sānjosla",
- "panel_single_card": "Panel (single card)",
+ "panel_single_card": "Panelis (viena kartiņa)",
"subview": "Papildu cilne",
"edit_view_max_columns": "Max number of sections wide",
"sections_view_specific_settings": "Sections view specific settings",
"dense_section_placement": "Dense section placement",
- "edit_in_visual_editor": "Labot vizuālajā redaktorā",
- "edit_in_yaml": "Labot YAML",
+ "edit_in_visual_editor": "Rediģēšana vizuālajā redaktorā",
+ "edit_in_yaml": "Rediģēšana vidē YAML",
"saving_failed": "Saving failed",
"move_to_dashboard": "Pārvietoties uz paneli",
"ui_panel_lovelace_editor_edit_view_tab_badges": "Nozīmītes",
- "card_configuration": "Card configuration",
- "type_card_configuration": "{type} Card configuration",
- "edit_card_pick_card": "Kuru kartīti vēlaties pievienot?",
+ "card_configuration": "Kartītes konfigurācija",
+ "type_card_configuration": "{type} kartītes konfigurācija",
+ "edit_card_pick_card": "Which card would you like to add?",
"toggle_editor": "Toggle editor",
"you_have_unsaved_changes": "You have unsaved changes",
"edit_card_confirm_cancel": "Vai tiešām vēlaties atcelt?",
@@ -1271,12 +1271,12 @@
"save_config_header": "Pārņemt kontroli pār savu infopaneli",
"save_config_empty_config": "Sākt ar tukšu infopaneli",
"take_control": "Take control",
- "configuration_incompatible": "Configuration incompatible",
+ "configuration_incompatible": "Nesaderīga konfigurācija",
"migrate_configuration": "Pārvietot konfigurāciju",
- "navigation_path": "Navigation path",
- "url_path": "URL path",
+ "navigation_path": "Navigācijas ceļš",
+ "url_path": "URL ceļš",
"perform_action": "Perform action",
- "more_info": "More info",
+ "more_info": "Vairāk informācijas",
"nothing": "Nothing",
"add_condition": "Add condition",
"test": "Tests",
@@ -1296,13 +1296,13 @@
"entity_state": "Entity state",
"state_is_equal_to": "State is equal to",
"state_state_not_equal": "State is not equal to",
- "alarm_panel": "Alarm panel",
- "available_states": "Available states",
+ "alarm_panel": "Signalizācijas panelis",
+ "available_states": "Pieejamie stāvokļi",
"alert_classes": "Alert Classes",
"sensor_classes": "Sensor Classes",
"area_show_camera": "Rādīt kameras plūsmu, nevis apgabalu",
- "initial_view": "Initial view",
- "calendar_entities": "Calendar entities",
+ "initial_view": "Sākotnējais skats",
+ "calendar_entities": "Kalendāra vienības",
"list_days": "Saraksts (7 dienas)",
"conditional": "Conditional",
"conditions": "Nosacījumi",
@@ -1310,27 +1310,27 @@
"show_header_toggle": "Show header toggle",
"toggle_entities": "Pārslēgt vienības.",
"special_row": "īpaša rinda",
- "entity_row_editor": "Entity row editor",
- "no_secondary_info": "No secondary info",
+ "entity_row_editor": "Vienības rindu redaktors",
+ "no_secondary_info": "Bez papildinformācijas",
"divider": "Atdalītājs",
"section": "sadaļa",
- "web_link": "Web link",
+ "web_link": "Tīmekļa saite",
"buttons": "Pogas",
"cast": "apraidīt",
- "button": "Button",
- "entity_filter": "Entity filter",
- "secondary_information": "Secondary information",
+ "button": "Poga",
+ "entity_filter": "Vienību filtrs",
+ "secondary_information": "Papildus informācija",
"gauge": "Mērierīce",
- "display_as_needle_gauge": "Display as needle gauge",
+ "display_as_needle_gauge": "Attēlot kā manometru?",
"define_severity": "Define severity",
"columns": "Kolonnas",
"render_cards_as_squares": "Attēlot kartiņas kā kvadrātus",
- "history_graph": "History graph",
+ "history_graph": "Vēstures grafiks",
"logarithmic_scale": "Logarithmic scale",
"y_axis_minimum": "Y axis minimum",
"y_axis_maximum": "Y axis maximum",
"history_graph_fit_y_data": "Extend Y axis limits to fit data",
- "statistics_graph": "Statistics graph",
+ "statistics_graph": "Statistikas grafiks",
"period": "Periods",
"unit": "Vienība",
"show_stat_types": "Rādīt statistikas veidus",
@@ -1345,20 +1345,20 @@
"last_week": "Pagājušajā nedēļā",
"last_month": "Pagājušajā mēnesī",
"last_year": "Pagājušais gads",
- "horizontal_stack": "Horizontal stack",
+ "horizontal_stack": "Horizontālā josla",
"humidifier": "Mitrinātājs",
"humidifier_show_current_as_primary": "Show current humidity as primary information",
"webpage": "Tīmekļa lapa",
- "alternative_text": "Alternative text",
+ "alternative_text": "Aizstājējteksts",
"aspect_ratio": "Aspect ratio",
- "camera_entity": "Camera entity",
- "image_entity": "Image entity",
- "camera_view": "Camera view",
+ "camera_entity": "Kameras vienība",
+ "image_entity": "Attēla vienība",
+ "camera_view": "Kameras skats",
"double_tap_behavior": "Double tap behavior",
"hold_behavior": "Hold behavior",
"hours_to_show": "Hours to show",
- "days_to_show": "Days to show",
- "icon_height": "Icon height",
+ "days_to_show": "Dienas, ko parādīt",
+ "icon_height": "Ikonas augstums",
"image_path": "Image path",
"maximum": "Maksimums",
"manual": "Manual",
@@ -1366,13 +1366,13 @@
"paste_from_clipboard": "Paste from clipboard",
"generic_paste_description": "Paste a {type} badge from the clipboard",
"refresh_interval": "Atjaunošanās intervāls",
- "show_icon": "Show icon",
- "show_name": "Show name",
- "show_state": "Show state",
+ "show_icon": "Rādīt ikonu?",
+ "show_name": "Rādīt nosaukumu?",
+ "show_state": "Rādīt stāvokli?",
"tap_behavior": "Tap behavior",
"interactions": "Interactions",
"secondary_info_attribute": "Papildinformācijas atribūts",
- "show_state_color": "Show state color",
+ "show_state_color": "Rādīt stāvokļa krāsu",
"suggested_cards": "Suggested cards",
"other_cards": "Other cards",
"custom_cards": "Custom cards",
@@ -1384,15 +1384,16 @@
"appearance": "Appearance",
"state_content": "State content",
"displayed_elements": "Displayed elements",
- "geolocation_sources": "Geolocation sources",
+ "geolocation_sources": "Ģeogrāfiskās atrašanās vietas avoti",
"no_geolocation_sources_available": "No geolocation sources available",
"theme_mode": "Motīva režīms.",
"dark": "Tumšs",
- "default_zoom": "Default Zoom",
+ "default_zoom": "Noklusējuma mērogs",
+ "ui_panel_lovelace_editor_card_map_dark_mode": "Tumšais izskats?",
"markdown": "Markdown",
"content": "Saturs",
- "media_control": "Media control",
- "picture_elements": "Picture elements",
+ "media_control": "Multivides vadība",
+ "picture_elements": "Attēla elementi",
"card_options": "Card Options",
"elements": "Elements",
"add_new_element": "Add new element",
@@ -1403,13 +1404,12 @@
"state_icon": "State icon",
"state_label": "State label",
"perform_action_button": "Perform action button",
- "picture_entity": "Picture entity",
- "picture_glance": "Picture glance",
- "state_entity": "State entity",
- "plant_status": "Plant status",
+ "picture_glance": "Picture Glance",
+ "state_entity": "State vienība",
+ "plant_status": "Auga statuss",
"sensor": "Sensors",
"show_more_detail": "Parādīt vairāk detaļu",
- "graph_type": "Graph type",
+ "graph_type": "Grafika veids",
"to_do_list": "To-do list",
"hide_completed_items": "Hide completed items",
"thermostat": "Termostats",
@@ -1421,12 +1421,12 @@
"hide_state": "Hide state",
"ui_panel_lovelace_editor_card_tile_actions": "Darbības",
"ui_panel_lovelace_editor_card_tile_default_color": "Noklusējuma krāsa (stāvoklis)",
- "vertical_stack": "Vertical stack",
- "weather_forecast": "Weather forecast",
- "weather_to_show": "Weather to show",
- "weather_forecast_show_both": "Show current weather and forecast",
+ "vertical_stack": "Vertikālā josla",
+ "weather_forecast": "Laikapstākļu prognoze",
+ "weather_to_show": "Laikapstākļi rādīšanai",
+ "weather_forecast_show_both": "Rādīt pašreizējos laikapstākļus un prognozi",
"show_only_current_weather": "Tikai pašreizējie laikapstākļi",
- "show_only_forecast": "Show only forecast",
+ "show_only_forecast": "Rādīt tikai prognozi",
"select_forecast_type": "Izvēlieties prognozes veidu",
"style": "Style",
"prefix": "Prefix",
@@ -1489,14 +1489,14 @@
"hide_energy": "Hide energy",
"no_description_available": "No description available.",
"by_entity": "By entity",
- "by_card": "By card",
+ "by_card": "Pēc kartiņas",
"by_badge": "By badge",
"header": "Galvene",
"footer": "Kājene",
"choose_a_type": "Izvēlieties {type}",
"graph": "Grafiks",
- "header_editor": "Header editor",
- "footer_editor": "Footer editor",
+ "header_editor": "Galvenes redaktors",
+ "footer_editor": "Kājenes redaktors",
"feature_editor": "Feature editor",
"element_editor": "Element editor",
"heading_badge_editor": "Heading badge editor",
@@ -1534,148 +1534,127 @@
"invalid_timestamp": "Nederīgs laika zīmogs",
"invalid_display_format": "Nederīgs attēlojuma formāts",
"now": "Now",
- "compare_data": "Compare data",
+ "compare_data": "Salīdzināt datus",
"reload_ui": "Pārlādēt lietotāja saskarni",
- "tag": "Tags",
- "input_datetime": "Ievades datuma laiks",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Taimeris",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Ierīču izsekotājs",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Ieejas loģika",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "tag": "Tags",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binārais sensors",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Ievades izvēle",
+ "device_automation": "Device Automation",
+ "person": "Persona",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Skripts",
"fan": "Ventilators",
- "weather": "Laikapstākļi",
- "camera": "Kamera",
+ "scene": "Scene",
"schedule": "Plānot",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automatizācija",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Laikapstākļi",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Ievades teksts",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climate",
- "binary_sensor": "Binārais sensors",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automatizācija",
+ "system_log": "System Log",
+ "cover": "Nosegi",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Nosegi",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Sirēna",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Zāles pļāvējs",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Notikums",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Ierīču izsekotājs",
+ "remote": "Tālvadība",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Putekļsūcējs",
+ "reolink": "Reolink",
+ "camera": "Kamera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Tālvadība",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Skaitītājs",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Ievades numurs",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climate",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Ieejas loģika",
- "lawn_mower": "Zāles pļāvējs",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Notikums",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Signalizācijas vadības panelis",
- "input_select": "Ievades izvēle",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Taimeris",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Ievades datuma laiks",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Skaitītājs",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Grupa",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Persona",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Ievades teksts",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Ievades numurs",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Sirēna",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Putekļsūcējs",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Skripts",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
- "closed": "Slēgts",
+ "closed": "Closed",
"overheated": "Overheated",
"temperature_warning": "Temperature warning",
"update_available": "Pieejams atjauninājums",
@@ -1700,6 +1679,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Kopējais patēriņš",
@@ -1725,30 +1705,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Nākamā rītausma",
- "next_dusk": "Nākamā krēsla",
- "next_midnight": "Nākamā pusnakts",
- "next_noon": "Nākamais pusdienlaiks",
- "next_rising": "Nākamā ausma",
- "next_setting": "Nākamais iestatījums",
- "solar_azimuth": "Saules azimuts",
- "solar_elevation": "Saules augstums",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Apgaismojums",
- "noise": "Troksnis",
- "overload": "Pārslodze",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Kompresora enerģijas patēriņš",
- "compressor_estimated_power_consumption": "Aprēķinātais kompresora enerģijas patēriņš",
- "compressor_frequency": "Kompresora frekvence",
- "cool_energy_consumption": "Dzesēšanas enerģijas patēriņš",
- "heat_energy_consumption": "Sildīšanas enerģijas patēriņš",
- "inside_temperature": "Iekšējā temperatūra",
- "outside_temperature": "Āra temperatūra",
+ "calibration": "Kalibrēšana",
+ "auto_lock_paused": "Automātiskā bloķēšana apturēta",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Nenoslēgta signalizācija",
+ "unlocked_alarm": "Atbloķēta signalizācija",
+ "bluetooth_signal": "Bluetooth signāls",
+ "light_level": "Gaismas līmenis",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1770,34 +1736,75 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS aģenta versija",
- "apparmor_version": "Apparmor versija",
- "cpu_percent": "Procesora izmantojums procentos",
- "disk_free": "Brīvs uz diska",
- "disk_total": "Diska kopējais apjoms",
- "disk_used": "Izmantots uz diska",
- "memory_percent": "Atmiņas izmantojums procentos",
- "version": "Versija",
- "newest_version": "Jaunākā versija",
+ "day_of_week": "Day of week",
+ "illuminance": "Apgaismojums",
+ "noise": "Troksnis",
+ "overload": "Pārslodze",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Izslēgts",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Kompresora enerģijas patēriņš",
+ "compressor_estimated_power_consumption": "Aprēķinātais kompresora enerģijas patēriņš",
+ "compressor_frequency": "Kompresora frekvence",
+ "cool_energy_consumption": "Dzesēšanas enerģijas patēriņš",
+ "heat_energy_consumption": "Sildīšanas enerģijas patēriņš",
+ "inside_temperature": "Iekšējā temperatūra",
+ "outside_temperature": "Āra temperatūra",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Pievienots",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Atklāts",
"animal_lens": "Animal lens 1",
@@ -1871,6 +1878,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1921,7 +1929,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signāls",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1938,6 +1945,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Palīdzība procesā",
+ "quiet": "Quiet",
+ "preferred": "Vēlamais",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS aģenta versija",
+ "apparmor_version": "Apparmor versija",
+ "cpu_percent": "Procesora izmantojums procentos",
+ "disk_free": "Brīvs uz diska",
+ "disk_total": "Diska kopējais apjoms",
+ "disk_used": "Izmantots uz diska",
+ "memory_percent": "Atmiņas izmantojums procentos",
+ "version": "Versija",
+ "newest_version": "Jaunākā versija",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Nākamā rītausma",
+ "next_dusk": "Nākamā krēsla",
+ "next_midnight": "Nākamā pusnakts",
+ "next_noon": "Nākamais pusdienlaiks",
+ "next_rising": "Nākamā ausma",
+ "next_setting": "Nākamais iestatījums",
+ "solar_azimuth": "Saules azimuts",
+ "solar_elevation": "Saules augstums",
+ "solar_rising": "Solar rising",
"heavy": "Smacīgi",
"mild": "Viegls",
"button_down": "Button down",
@@ -1953,76 +2003,257 @@
"warm_up": "Iesilšana",
"not_completed": "Nav pabeigts",
"checking": "Checking",
- "closing": "Aizveras",
+ "closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Kalibrēšana",
- "auto_lock_paused": "Automātiskā bloķēšana apturēta",
- "timeout": "Timeout",
- "unclosed_alarm": "Nenoslēgta signalizācija",
- "unlocked_alarm": "Atbloķēta signalizācija",
- "bluetooth_signal": "Bluetooth signāls",
- "light_level": "Gaismas līmenis",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Pievienots",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Tiek pārvaldīts, izmantojot lietotāja saskarni",
- "pattern": "Paraugs",
- "minute": "Minūte",
- "second": "Sekunde",
- "timestamp": "Timestamp",
- "paused": "Apturēts",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "Procesā",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Pieejamie toņi",
"device_trackers": "Ierīču izsekotāji",
"gps_accuracy": "GPS accuracy",
- "finishes_at": "Tiks pabeigts",
- "remaining": "Atlicis",
- "restore": "Atjaunot",
"last_reset": "Pēdējā atiestatīšana",
"possible_states": "Iespējamie stāvokļi",
- "state_class": "Stāvokļa klase",
+ "state_class": "State class",
"measurement": "Mērījumi",
"total": "Kopā",
"total_increasing": "Kopējais pieaugums",
@@ -2052,79 +2283,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Saglabātais apjoms",
"weight": "Svars",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Ārējais sildītājs",
- "current_humidity": "Pašreizējais mitrums",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Izkliedēts",
- "middle": "Vidus",
- "top": "Augša",
- "cooling": "Dzesēšana",
- "defrosting": "Defrosting",
- "drying": "Žāvēšana",
- "preheating": "Preheating",
- "max_target_humidity": "Maksimālais mērķa mitrums",
- "max_target_temperature": "Maksimālā mērķa temperatūra",
- "min_target_humidity": "Minimālais mērķa mitrums",
- "min_target_temperature": "Minimālā mērķa temperatūra",
- "boost": "Pastiprināts",
- "comfort": "Komforta",
- "eco": "Eko",
- "sleep": "Miega režīms",
- "presets": "Sākotnējie iestatījumi",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Abi",
- "horizontal": "Horizontāli",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Mērķa temperatūras solis",
- "step": "Solis",
- "not_charging": "Nav uzlādes",
- "unplugged": "Atvienots",
- "connected": "Pieslēdzies",
- "hot": "Karsts",
- "no_light": "Nav gaismas",
- "light_detected": "Konstatēta gaisma",
- "locked": "Aizslēgts",
- "not_moving": "Nepārvietojas",
- "not_running": "Nedarbojas",
- "safe": "Drošs",
- "unsafe": "Nedrošs",
- "tampering_detected": "Tampering detected",
- "box": "Lodziņš",
- "above_horizon": "Virs horizonta",
- "below_horizon": "Zem horizonta",
- "buffering": "Buferizācija",
- "playing": "Atskaņo",
- "standby": "Gaidīšanas režīmā",
- "app_id": "Lietotnes ID",
- "local_accessible_entity_picture": "Lokāli pieejamas vienības attēls",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Kanāli",
- "position_updated": "Pozīcija atjaunināta",
- "series": "Sērija",
- "all": "All",
- "one": "Viens",
- "available_sound_modes": "Pieejamie skaņas režīmi",
- "available_sources": "Pieejamie avoti",
- "receiver": "Uztvērējs",
- "speaker": "Skaļrunis",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Maršrutētājs",
+ "managed_via_ui": "Tiek pārvaldīts, izmantojot lietotāja saskarni",
"color_mode": "Color Mode",
"brightness_only": "Tikai spilgtums",
"hs": "HS",
@@ -2140,13 +2304,33 @@
"minimum_color_temperature_kelvin": "Minimālā krāsu temperatūra (Kelvinos)",
"minimum_color_temperature_mireds": "Minimālā krāsu temperatūra (miredos)",
"available_color_modes": "Pieejamie krāsu režīmi",
- "available_tones": "Pieejamie toņi",
"docked": "Pie doka",
"mowing": "Mowing",
+ "paused": "Apturēts",
"returning": "Returning",
+ "pattern": "Paraugs",
+ "running_automations": "Darbojošās automatizācijas",
+ "max_running_scripts": "Maksimālais darbojošos skriptu skaits",
+ "run_mode": "Darbības režīms",
+ "parallel": "Paralēli",
+ "queued": "Rindā",
+ "one": "Viens",
+ "auto_update": "Automātiskā atjaunināšana",
+ "installed_version": "Instalētā versija",
+ "release_summary": "Relīzes kopsavilkums",
+ "release_url": "Relīzes URL",
+ "skipped_version": "Izlaistā versija",
+ "firmware": "Programmaparatūra",
"oscillating": "Oscillating",
"speed_step": "Ātruma solis",
"available_preset_modes": "Pieejamie iepriekš iestatītie režīmi",
+ "minute": "Minūte",
+ "second": "Sekunde",
+ "next_event": "Nākamais vakars",
+ "step": "Solis",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Maršrutētājs",
"clear_night": "Skaidrs, nakts",
"cloudy": "Mākoņains",
"exceptional": "Izņēmuma kārtā",
@@ -2169,25 +2353,9 @@
"uv_index": "UV indekss",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Vēja brāzmu ātrums",
- "auto_update": "Automātiskā atjaunināšana",
- "in_progress": "Procesā",
- "installed_version": "Instalētā versija",
- "release_summary": "Relīzes kopsavilkums",
- "release_url": "Relīzes URL",
- "skipped_version": "Izlaistā versija",
- "firmware": "Programmaparatūra",
- "armed_away": "Prombūtnes aizsardzība",
- "armed_custom_bypass": "Pielāgotā aizsardzība",
- "armed_home": "Klātbūtnes aizsardzība",
- "armed_night": "Nakts aizsardzība",
- "armed_vacation": "Brīvdienu aizsardzība",
- "disarming": "Atslēdzas",
- "triggered": "Aktivizēts",
- "changed_by": "Mainīja",
- "code_for_arming": "Apsardzes kods",
- "not_required": "Nav obligāts",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Notiek uzkopšana",
+ "returning_to_dock": "Atgriešanās dokā",
"recording": "Ieraksta",
"streaming": "Straumē",
"access_token": "Access token",
@@ -2196,62 +2364,107 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automātiski",
+ "box": "Lodziņš",
+ "jammed": "Iestrēdzis",
+ "locked": "Aizslēgts",
+ "locking": "Slēgts",
+ "changed_by": "Mainīja",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Maksimālā darbības automatizācija",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Ārējais sildītājs",
+ "current_humidity": "Pašreizējais mitrums",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Izkliedēts",
+ "middle": "Vidus",
+ "top": "Augša",
+ "cooling": "Dzesēšana",
+ "defrosting": "Defrosting",
+ "drying": "Žāvēšana",
+ "heating": "Sildīšana",
+ "preheating": "Preheating",
+ "max_target_humidity": "Maksimālais mērķa mitrums",
+ "max_target_temperature": "Maksimālā mērķa temperatūra",
+ "min_target_humidity": "Minimālais mērķa mitrums",
+ "min_target_temperature": "Minimālā mērķa temperatūra",
+ "boost": "Pastiprināts",
+ "comfort": "Komforta",
+ "eco": "Eko",
+ "sleep": "Miega režīms",
+ "presets": "Sākotnējie iestatījumi",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Abi",
+ "horizontal": "Horizontāli",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Mērķa temperatūras solis",
+ "stopped": "Stopped",
+ "garage": "Garāža",
+ "not_charging": "Nav uzlādes",
+ "unplugged": "Atvienots",
+ "connected": "Pieslēdzies",
+ "hot": "Karsts",
+ "no_light": "Nav gaismas",
+ "light_detected": "Konstatēta gaisma",
+ "not_moving": "Nepārvietojas",
+ "not_running": "Nedarbojas",
+ "safe": "Drošs",
+ "unsafe": "Nedrošs",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buferizācija",
+ "playing": "Atskaņo",
+ "standby": "Gaidīšanas režīmā",
+ "app_id": "Lietotnes ID",
+ "local_accessible_entity_picture": "Lokāli pieejamas vienības attēls",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Kanāli",
+ "position_updated": "Pozīcija atjaunināta",
+ "series": "Sērija",
+ "all": "All",
+ "available_sound_modes": "Pieejamie skaņas režīmi",
+ "available_sources": "Pieejamie avoti",
+ "receiver": "Uztvērējs",
+ "speaker": "Skaļrunis",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Nākamais vakars",
- "garage": "Garāža",
"event_type": "Event type",
"event_types": "Notikumu veidi",
"doorbell": "Durvju zvans",
- "running_automations": "Darbojošās automatizācijas",
- "id": "ID",
- "max_running_automations": "Maksimālā darbības automatizācija",
- "run_mode": "Darbības režīms",
- "parallel": "Paralēli",
- "queued": "Rindā",
- "cleaning": "Notiek uzkopšana",
- "returning_to_dock": "Atgriešanās dokā",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Maksimālais darbojošos skriptu skaits",
- "jammed": "Iestrēdzis",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Konts jau ir konfigurēts",
- "abort_already_in_progress": "Konfigurēšanas process jau notiek",
+ "above_horizon": "Virs horizonta",
+ "below_horizon": "Zem horizonta",
+ "armed_away": "Prombūtnes aizsardzība",
+ "armed_custom_bypass": "Pielāgotā aizsardzība",
+ "armed_home": "Klātbūtnes aizsardzība",
+ "armed_night": "Nakts aizsardzība",
+ "armed_vacation": "Brīvdienu aizsardzība",
+ "disarming": "Atslēdzas",
+ "triggered": "Aktivizēts",
+ "code_for_arming": "Apsardzes kods",
+ "not_required": "Nav obligāts",
+ "finishes_at": "Tiks pabeigts",
+ "remaining": "Atlicis",
+ "restore": "Atjaunot",
+ "device_is_already_configured": "Device is already configured",
"failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Neparedzēta kļūda",
- "successfully_authenticated": "Veiksmīgi autentificēts",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Autentifikācijas metodes izvēle",
- "authentication_expired_for_name": "Authentication expired for {name}",
- "device_is_already_configured": "Ierīce jau ir konfigurēta",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Savienojuma kļūda: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2262,27 +2475,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "{name} beigusies autentifikācija",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Autentifikācija neizdevās: {error_detail}",
+ "error_encryption_key_invalid": "Atslēgas ID vai šifrēšanas atslēga nav derīga",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Vai vēlaties iestatīt {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Konfigurēšanas process jau notiek",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2290,23 +2505,143 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Savienojuma izveides laika ierobežojums",
- "link_google_account": "Google konta piesaiste",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Konts jau ir konfigurēts",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Veiksmīgi autentificēts",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
+ "abort_addon_info_failed": "Failed get info for the {addon} add-on.",
+ "abort_addon_install_failed": "Failed to install the {addon} add-on.",
+ "abort_addon_start_failed": "Failed to start the {addon} add-on.",
+ "invalid_birth_topic": "Invalid birth topic",
+ "error_bad_certificate": "The CA certificate is invalid",
+ "invalid_discovery_prefix": "Invalid discovery prefix",
+ "invalid_will_topic": "Invalid will topic",
+ "broker": "Broker",
+ "data_certificate": "Upload custom CA certificate file",
+ "upload_client_certificate_file": "Upload client certificate file",
+ "upload_private_key_file": "Upload private key file",
+ "data_keepalive": "The time between sending keep alive messages",
+ "port": "Port",
+ "mqtt_protocol": "MQTT protocol",
+ "broker_certificate_validation": "Broker certificate validation",
+ "use_a_client_certificate": "Use a client certificate",
+ "ignore_broker_certificate_validation": "Ignore broker certificate validation",
+ "mqtt_transport": "MQTT transport",
+ "data_ws_headers": "WebSocket headers in JSON format",
+ "websocket_path": "WebSocket path",
+ "hassio_confirm_title": "deCONZ Zigbee gateway via Home Assistant add-on",
+ "installing_add_on": "Installing add-on",
+ "reauth_confirm_title": "Re-authentication required with the MQTT broker",
+ "starting_add_on": "Starting add-on",
+ "menu_options_addon": "Use the official {addon} add-on.",
+ "menu_options_broker": "Manually enter the MQTT broker connection details",
"api_key": "API key",
"configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
+ "api_error_occurred": "Notika API kļūda",
+ "hostname_ip_address": "{hostname} ({ip_address})",
+ "enable_https": "Iespējot HTTPS",
+ "hacs_is_not_setup": "HACS is not setup.",
"reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
"waiting_for_device_activation": "Waiting for device activation",
"reauthentication_needed": "Reauthentication needed",
"reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "bluetooth_confirm_description": "Vai vēlaties iestatīt {name}?",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
+ "meteorologisk_institutt": "Meteorologisk institutt",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN kods",
+ "discovered_android_tv": "Atrasts Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "all_entities": "All entities",
+ "hide_members": "Hide members",
+ "create_group": "Create Group",
+ "device_class": "Device Class",
+ "ignore_non_numeric": "Ignorēt neskaitliskas vērtības",
+ "data_round_digits": "Noapaļot vērtību līdz decimāldaļu skaitam",
+ "type": "Type",
+ "binary_sensor_group": "Binary sensor group",
+ "button_group": "Button group",
+ "cover_group": "Cover group",
+ "event_group": "Event group",
+ "lock_group": "Lock group",
+ "media_player_group": "Media player group",
+ "notify_group": "Notify group",
+ "sensor_group": "Sensoru grupa",
+ "switch_group": "Switch group",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "Bridge is already configured",
+ "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Couldn't get an API key",
+ "link_with_deconz": "Link with deCONZ",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "Gala punktā nav atrasts neviens pakalpojums",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
"arm_away_action": "Arm away action",
"arm_custom_bypass_action": "Arm custom bypass action",
"arm_home_action": "Arm home action",
@@ -2317,12 +2652,10 @@
"trigger_action": "Trigger action",
"value_template": "Value template",
"template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Ierīces klase",
"state_template": "Stāvokļa paraugs",
"template_binary_sensor": "Parauga binārais sensors",
"actions_on_press": "Actions on press",
"template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
"template_image": "Template image",
"actions_on_set_value": "Actions on set value",
"step_value": "Step value",
@@ -2343,204 +2676,77 @@
"template_a_sensor": "Sensora paraugs",
"template_a_switch": "Template a switch",
"template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
- "abort_addon_info_failed": "Failed get info for the {addon} add-on.",
- "abort_addon_install_failed": "Failed to install the {addon} add-on.",
- "abort_addon_start_failed": "Failed to start the {addon} add-on.",
- "invalid_birth_topic": "Invalid birth topic",
- "error_bad_certificate": "The CA certificate is invalid",
- "invalid_discovery_prefix": "Invalid discovery prefix",
- "invalid_will_topic": "Invalid will topic",
- "broker": "Broker",
- "data_certificate": "Upload custom CA certificate file",
- "upload_client_certificate_file": "Upload client certificate file",
- "upload_private_key_file": "Upload private key file",
- "data_keepalive": "The time between sending keep alive messages",
- "port": "Port",
- "mqtt_protocol": "MQTT protocol",
- "broker_certificate_validation": "Broker certificate validation",
- "use_a_client_certificate": "Use a client certificate",
- "ignore_broker_certificate_validation": "Ignore broker certificate validation",
- "mqtt_transport": "MQTT transport",
- "data_ws_headers": "WebSocket headers in JSON format",
- "websocket_path": "WebSocket path",
- "hassio_confirm_title": "deCONZ Zigbee gateway via Home Assistant add-on",
- "installing_add_on": "Installing add-on",
- "reauth_confirm_title": "Re-authentication required with the MQTT broker",
- "starting_add_on": "Starting add-on",
- "menu_options_addon": "Use the official {addon} add-on.",
- "menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Bridge is already configured",
- "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Couldn't get an API key",
- "link_with_deconz": "Link with deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "PIN kods",
- "discovered_android_tv": "Atrasts Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "Gala punktā nav atrasts neviens pakalpojums",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
- "api_error_occurred": "Notika API kļūda",
- "hostname_ip_address": "{hostname} ({ip_address})",
- "enable_https": "Iespējot HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
- "meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
- "all_entities": "All entities",
- "hide_members": "Hide members",
- "create_group": "Create Group",
- "ignore_non_numeric": "Ignorēt neskaitliskas vērtības",
- "data_round_digits": "Noapaļot vērtību līdz decimāldaļu skaitam",
- "type": "Type",
- "binary_sensor_group": "Binary sensor group",
- "button_group": "Button group",
- "cover_group": "Cover group",
- "event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
- "lock_group": "Lock group",
- "media_player_group": "Media player group",
- "notify_group": "Notify group",
- "sensor_group": "Sensoru grupa",
- "switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Autentifikācija neizdevās: {error_detail}",
- "error_encryption_key_invalid": "Atslēgas ID vai šifrēšanas atslēga nav derīga",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Ierīces adrese",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Izveidot tīklu",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "confirm_hardware_description": "Do you want to set up {name}?",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radiosakari nav ieteicami",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
"data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Nederīgs URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Enable birth message",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Enable will message",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protokols",
"abort_pending_tasks": "There are pending tasks. Try again later.",
"data_not_in_use": "Not in use with YAML",
"filter_with_country_code": "Filter with country code",
@@ -2549,7 +2755,7 @@
"data_appdaemon": "Enable AppDaemon apps discovery & tracking",
"side_panel_icon": "Side panel icon",
"side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
+ "language_code": "Valodas kods",
"samsungtv_smart_options": "SamsungTV Smart options",
"data_use_st_status_info": "Use SmartThings TV Status information",
"data_use_st_channel_info": "Use SmartThings TV Channels information",
@@ -2577,28 +2783,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Enable birth message",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Enable will message",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2606,26 +2790,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Nederīgs URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protokols",
- "language_code": "Valodas kods",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} tika izslēgta",
- "entity_name_turned_on": "{entity_name} tika ieslēgta",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Pašreizējais {entity_name} gaisa kvalitātes indekss",
"current_entity_name_area": "Current {entity_name} area",
@@ -2720,6 +2989,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} vēja ātruma izmaiņas",
+ "decrease_entity_name_brightness": "Samazināt {entity_name} spilgtumu",
+ "increase_entity_name_brightness": "Palielināt {entity_name} spilgtumu",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} tika izslēgta",
+ "entity_name_turned_on": "{entity_name} tika ieslēgta",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} atjauninājuma pieejamība izmainījās",
+ "entity_name_is_up_to_date": "{entity_name} ir atjaunināts",
+ "trigger_type_turned_on": "{entity_name} atjauninājums ir kļuvis pieejams",
+ "first_button": "First button",
+ "second_button": "Second button",
+ "third_button": "Third button",
+ "fourth_button": "Fourth button",
+ "fifth_button": "Fifth button",
+ "sixth_button": "Sixth button",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" piespiests",
+ "subtype_released": "\"{subtype}\" atlaists",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} is home",
+ "entity_name_is_not_home": "{entity_name} is not home",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} is cleaning",
+ "entity_name_is_docked": "{entity_name} is docked",
+ "entity_name_started_cleaning": "{entity_name} started cleaning",
+ "entity_name_docked": "{entity_name} docked",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} is locked",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is unlocked",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opened",
+ "entity_name_unlocked": "{entity_name} unlocked",
"action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
"change_preset_on_entity_name": "Change preset on {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2727,17 +3049,30 @@
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
- "entity_name_battery_is_low": "{entity_name} battery is low",
- "entity_name_is_charging": "{entity_name} tiek uzlādēts",
- "condition_type_is_co": "{entity_name} konstatēja oglekļa monoksīdu",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Aizvērt {entity_name}",
+ "open_entity_name_tilt": "Atvērt {entity_name}",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Iestatīt {entity_name} slīpuma pozīciju",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} is closed",
+ "entity_name_is_closing": "{entity_name} is closing",
+ "entity_name_is_opening": "{entity_name} is opening",
+ "current_entity_name_position_is": "Current {entity_name} position is",
+ "condition_type_is_tilt_position": "Pašreizējā {entity_name} slīpuma pozīcija ir",
+ "entity_name_closed": "{entity_name} closed",
+ "entity_name_closing": "{entity_name} closing",
+ "entity_name_opening": "{entity_name} opening",
+ "entity_name_position_changes": "{entity_name} position changes",
+ "entity_name_tilt_position_changes": "{entity_name} slīpuma pozīcijas izmaiņas",
+ "entity_name_battery_is_low": "{entity_name} battery is low",
+ "entity_name_is_charging": "{entity_name} tiek uzlādēts",
+ "condition_type_is_co": "{entity_name} konstatēja oglekļa monoksīdu",
"entity_name_is_cold": "{entity_name} is cold",
"entity_name_is_connected": "{entity_name} is connected",
"entity_name_is_detecting_gas": "{entity_name} is detecting gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} is detecting light",
- "entity_name_is_locked": "{entity_name} is locked",
"entity_name_is_moist": "{entity_name} is moist",
"entity_name_is_detecting_motion": "{entity_name} is detecting motion",
"entity_name_is_moving": "{entity_name} is moving",
@@ -2748,18 +3083,15 @@
"condition_type_is_no_problem": "{entity_name} is not detecting problem",
"condition_type_is_no_smoke": "{entity_name} is not detecting smoke",
"condition_type_is_no_sound": "{entity_name} is not detecting sound",
- "entity_name_is_up_to_date": "{entity_name} ir atjaunināts",
"condition_type_is_no_vibration": "{entity_name} is not detecting vibration",
"entity_name_battery_is_normal": "{entity_name} battery is normal",
"entity_name_is_not_charging": "{entity_name} netiek uzlādēts",
"entity_name_is_not_cold": "{entity_name} is not cold",
"entity_name_is_disconnected": "{entity_name} is disconnected",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} is unlocked",
"entity_name_is_dry": "{entity_name} is dry",
"entity_name_is_not_moving": "{entity_name} is not moving",
"entity_name_is_not_occupied": "{entity_name} is not occupied",
- "entity_name_is_closed": "{entity_name} is closed",
"entity_name_is_unplugged": "{entity_name} is unplugged",
"entity_name_is_not_powered": "{entity_name} is not powered",
"entity_name_is_not_present": "{entity_name} is not present",
@@ -2767,7 +3099,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} is occupied",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is plugged in",
"entity_name_is_powered": "{entity_name} is powered",
"entity_name_is_present": "{entity_name} is present",
@@ -2787,7 +3118,6 @@
"entity_name_started_detecting_gas": "{entity_name} started detecting gas",
"entity_name_became_hot": "{entity_name} became hot",
"entity_name_started_detecting_light": "{entity_name} started detecting light",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} started detecting motion",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2798,18 +3128,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} kļuva aktuāla",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} nav uzlādes",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} became not hot",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} closed",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
@@ -2817,7 +3144,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} plugged in",
"entity_name_powered": "{entity_name} powered",
"entity_name_present": "{entity_name} present",
@@ -2835,36 +3161,6 @@
"entity_name_starts_buffering": "{entity_name} starts buffering",
"entity_name_becomes_idle": "{entity_name} becomes idle",
"entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} is home",
- "entity_name_is_not_home": "{entity_name} is not home",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Samazināt {entity_name} spilgtumu",
- "increase_entity_name_brightness": "Palielināt {entity_name} spilgtumu",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} atjauninājuma pieejamība izmainījās",
- "trigger_type_turned_on": "{entity_name} atjauninājums ir kļuvis pieejams",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Disarm {entity_name}",
- "trigger_entity_name": "Trigger {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} is disarmed",
- "entity_name_is_triggered": "{entity_name} is triggered",
- "entity_name_armed_away": "{entity_name} armed away",
- "entity_name_armed_home": "{entity_name} armed home",
- "entity_name_armed_night": "{entity_name} armed night",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} disarmed",
- "entity_name_triggered": "{entity_name} triggered",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
"action_type_select_first": "Mainiet {entity_name} uz pirmo opciju",
"action_type_select_last": "Mainīt {entity_name} uz pēdējo opciju",
"action_type_select_next": "Mainīt {entity_name} uz nākamo opciju",
@@ -2874,36 +3170,7 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Aizvērt {entity_name}",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Atvērt {entity_name}",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Iestatīt {entity_name} slīpuma pozīciju",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} is closing",
- "entity_name_is_opening": "{entity_name} is opening",
- "current_entity_name_position_is": "Current {entity_name} position is",
- "condition_type_is_tilt_position": "Pašreizējā {entity_name} slīpuma pozīcija ir",
- "entity_name_closing": "{entity_name} closing",
- "entity_name_opening": "{entity_name} opening",
- "entity_name_position_changes": "{entity_name} position changes",
- "entity_name_tilt_position_changes": "{entity_name} slīpuma pozīcijas izmaiņas",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
- "both_buttons": "Abas pogas",
+ "both_buttons": "Both buttons",
"bottom_buttons": "Bottom buttons",
"seventh_button": "Seventh button",
"eighth_button": "Eighth button",
@@ -2927,13 +3194,6 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} is cleaning",
- "entity_name_is_docked": "{entity_name} is docked",
- "entity_name_started_cleaning": "{entity_name} started cleaning",
- "entity_name_docked": "{entity_name} docked",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2944,29 +3204,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} trīskāršs piespiediens",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Disarm {entity_name}",
+ "trigger_entity_name": "Trigger {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} is disarmed",
+ "entity_name_is_triggered": "{entity_name} is triggered",
+ "entity_name_armed_away": "{entity_name} armed away",
+ "entity_name_armed_home": "{entity_name} armed home",
+ "entity_name_armed_night": "{entity_name} armed night",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} disarmed",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "Device dropped",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Ierīce aizvērta",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Pasīva",
- "most_recently_updated": "Pēdējo reizi atjaunināts",
- "arithmetic_mean": "Vidējais aritmētiskais",
- "median": "Mediāna",
- "product": "Produkts",
- "statistical_range": "Statistiskais diapazons",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3097,52 +3382,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Izslēgt vienu vai vairākas gaismas.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Pasīva",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Pēdējo reizi atjaunināts",
+ "arithmetic_mean": "Vidējais aritmētiskais",
+ "median": "Mediāna",
+ "product": "Produkts",
+ "statistical_range": "Statistiskais diapazons",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3159,6 +3414,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3169,102 +3425,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Atjaunina Home Assistant atrašanās vietu",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Jūsu atrašanās vietas ģeogrāfiskais platums",
- "longitude_of_your_location": "Jūsu atrašanās vietas ģeogrāfiskais garums",
- "set_location": "Atrašanās vietas iestatīšana",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Vispārēja izslēgšanās",
- "generic_turn_on": "Vispārēja ieslēgšanās",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Atjaunināt vienību",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Ieslēgt/izslēgt papildu sildītāju",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3277,25 +3442,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
"brightness_step_value": "Brightness step value",
"brightness_step_pct_description": "Change brightness by a percentage.",
"brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3321,27 +3531,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Notīrīt izlaisto atjauninājumu",
+ "install_update": "Instalēt atjauninājumu",
+ "skip_description": "Atzīmē pašlaik pieejamo atjauninājumu kā izlaistu.",
+ "skip_update": "Izlaist atjauninājumu",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Pārlādē motīvus no YAML konfigurācijas.",
"reload_themes": "Pārlādēt motiīvus",
"name_of_a_theme": "Motīva nosaukums",
"set_the_default_theme": "Noklusējuma tēmas iestatīšana",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Atjaunina Home Assistant atrašanās vietu",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Jūsu atrašanās vietas ģeogrāfiskais platums",
+ "longitude_of_your_location": "Jūsu atrašanās vietas ģeogrāfiskais garums",
+ "set_location": "Atrašanās vietas iestatīšana",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Vispārēja izslēgšanās",
+ "generic_turn_on": "Vispārēja ieslēgšanās",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Atjaunināt vienību",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Ieslēgt/izslēgt papildu sildītāju",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3380,40 +3871,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Notīrīt izlaisto atjauninājumu",
- "install_update": "Instalēt atjauninājumu",
- "skip_description": "Atzīmē pašlaik pieejamo atjauninājumu kā izlaistu.",
- "skip_update": "Izlaist atjauninājumu",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3421,77 +3878,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3500,83 +3896,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/mk/mk.json b/packages/core/src/hooks/useLocale/locales/mk/mk.json
index 416f961b..2ff52a80 100644
--- a/packages/core/src/hooks/useLocale/locales/mk/mk.json
+++ b/packages/core/src/hooks/useLocale/locales/mk/mk.json
@@ -244,7 +244,7 @@
"selector_options": "Опции на избирачот",
"action": "Акција",
"area": "Area",
- "attribute": "Атрибут",
+ "attribute": "Attribute",
"boolean": "Булова",
"condition": "Услов",
"date": "Date",
@@ -756,7 +756,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Направете резервна копија пред ажурирањето",
"update_instructions": "Ажурирајте ги упатствата",
"current_activity": "Тековна активност",
- "status": "Статус",
+ "status": "Status 2",
"vacuum_commands": "Команди за правосмукалка",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -875,7 +875,7 @@
"restart_home_assistant": "Да се рестартира Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Брзо повторно вчитување",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Повторно вчитување на конфигурацијата",
"failed_to_reload_configuration": "Не успеа да се вчита повторно конфигурацијата",
"restart_description": "Ги прекинува сите автоматизации и скрипти кои работат.",
@@ -906,8 +906,8 @@
"password": "Password",
"regex_pattern": "Регекс шема",
"used_for_client_side_validation": "Се користи за валидација од страна на клиентот",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Поле за внесување",
"slider": "Slider",
"step_size": "Големина на чекор",
@@ -953,7 +953,7 @@
"ui_dialogs_zha_device_info_confirmations_remove": "Дали сте сигурни дека сакате да го отстраните уредот?",
"quirk": "Необично",
"last_seen": "Последно виден",
- "power_source": "Извор на енергија",
+ "power_source": "Power source",
"change_device_name": "Променете го името на уредот",
"device_debug_info": "Информации за дебагирање грешки на {device}",
"mqtt_device_debug_info_deserialize": "Обид за расчленување на MQTT пораките како JSON",
@@ -1231,7 +1231,7 @@
"ui_panel_lovelace_editor_edit_view_type_helper_sections": "Не можете да го промените вашиот приказ за да го користите типот на преглед „секции“ бидејќи миграцијата сè уште не е поддржана. Започнете од нула со нов приказ ако сакате да експериментирате со приказот „секции“.",
"card_configuration": "Конфигурација на картичка",
"type_card_configuration": "Конфигурација за {name} картичката",
- "edit_card_pick_card": "Која картичка би сакале да ја додадете?",
+ "edit_card_pick_card": "Which card would you like to add?",
"toggle_editor": "Вклучи едитирање",
"you_have_unsaved_changes": "Имате незачувани промени",
"edit_card_confirm_cancel": "Дали си сигурен дека сакате да откажете?",
@@ -1567,142 +1567,121 @@
"now": "Сега",
"compare_data": "Споредете податоци",
"reload_ui": "Вчитај повторно UI",
- "tag": "Tags",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "tag": "Tags",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
+ "scene": "Scene",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climate",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climate",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1731,6 +1710,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1756,31 +1736,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Next dawn",
- "next_dusk": "Next dusk",
- "next_midnight": "Next midnight",
- "next_noon": "Next noon",
- "next_rising": "Next rising",
- "next_setting": "Next setting",
- "solar_azimuth": "Solar azimuth",
- "solar_elevation": "Solar elevation",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1802,34 +1767,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Plugged in",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1903,6 +1910,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1953,7 +1961,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1970,6 +1977,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Next dawn",
+ "next_dusk": "Next dusk",
+ "next_midnight": "Next midnight",
+ "next_noon": "Next noon",
+ "next_rising": "Next rising",
+ "next_setting": "Next setting",
+ "solar_azimuth": "Solar azimuth",
+ "solar_elevation": "Solar elevation",
+ "solar_rising": "Solar rising",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1989,73 +2039,251 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Plugged in",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Paused",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -2088,84 +2316,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Current humidity",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Current action",
- "cooling": "Cooling",
- "defrosting": "Defrosting",
- "drying": "Drying",
- "heating": "Heating",
- "preheating": "Preheating",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Both",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Not charging",
- "disconnected": "Disconnected",
- "connected": "Connected",
- "hot": "Hot",
- "no_light": "No light",
- "light_detected": "Light detected",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "Not moving",
- "unplugged": "Unplugged",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Above horizon",
- "below_horizon": "Below horizon",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2181,13 +2337,36 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "available_tones": "Available tones",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Clear, night",
"cloudy": "Cloudy",
"exceptional": "Exceptional",
@@ -2210,26 +2389,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "disarming": "Disarming",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2238,65 +2400,112 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locked": "Locked",
+ "locking": "Locking",
+ "unlocked": "Unlocked",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Current humidity",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Current action",
+ "cooling": "Cooling",
+ "defrosting": "Defrosting",
+ "drying": "Drying",
+ "heating": "Heating",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Both",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Not charging",
+ "disconnected": "Disconnected",
+ "connected": "Connected",
+ "hot": "Hot",
+ "no_light": "No light",
+ "light_detected": "Light detected",
+ "not_moving": "Not moving",
+ "unplugged": "Unplugged",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Above horizon",
+ "below_horizon": "Below horizon",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Disarming",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2307,27 +2516,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2335,68 +2546,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2423,48 +2593,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Bridge is already configured",
- "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Couldn't get an API key",
- "link_with_deconz": "Link with deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2472,128 +2641,161 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "Bridge is already configured",
+ "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Couldn't get an API key",
+ "link_with_deconz": "Link with deCONZ",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Enable birth message",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Enable will message",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
"passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
"samsungtv_smart_options": "SamsungTV Smart options",
"data_use_st_status_info": "Use SmartThings TV Status information",
"data_use_st_channel_info": "Use SmartThings TV Channels information",
@@ -2621,28 +2823,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Enable birth message",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Enable will message",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2650,26 +2830,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2764,6 +3029,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
+ "increase_entity_name_brightness": "Increase {entity_name} brightness",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "First button",
+ "second_button": "Second button",
+ "third_button": "Third button",
+ "fourth_button": "Fourth button",
+ "fifth_button": "Fifth button",
+ "sixth_button": "Sixth button",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} is home",
+ "entity_name_is_not_home": "{entity_name} is not home",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} is cleaning",
+ "entity_name_is_docked": "{entity_name} is docked",
+ "entity_name_started_cleaning": "{entity_name} started cleaning",
+ "entity_name_docked": "{entity_name} docked",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} is locked",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is unlocked",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opened",
+ "entity_name_unlocked": "{entity_name} unlocked",
"action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
"change_preset_on_entity_name": "Change preset on {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2771,8 +3089,22 @@
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Close {entity_name} tilt",
+ "open_entity_name_tilt": "Open {entity_name} tilt",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Set {entity_name} tilt position",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} is closed",
+ "entity_name_is_closing": "{entity_name} is closing",
+ "entity_name_is_opening": "{entity_name} is opening",
+ "current_entity_name_position_is": "Current {entity_name} position is",
+ "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
+ "entity_name_closed": "{entity_name} closed",
+ "entity_name_closing": "{entity_name} closing",
+ "entity_name_opening": "{entity_name} opening",
+ "entity_name_position_changes": "{entity_name} position changes",
+ "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
"entity_name_battery_is_low": "{entity_name} battery is low",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2781,7 +3113,6 @@
"entity_name_is_detecting_gas": "{entity_name} is detecting gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} is detecting light",
- "entity_name_is_locked": "{entity_name} is locked",
"entity_name_is_moist": "{entity_name} is moist",
"entity_name_is_detecting_motion": "{entity_name} is detecting motion",
"entity_name_is_moving": "{entity_name} is moving",
@@ -2799,11 +3130,9 @@
"entity_name_is_not_cold": "{entity_name} is not cold",
"entity_name_is_disconnected": "{entity_name} is disconnected",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} is unlocked",
"entity_name_is_dry": "{entity_name} is dry",
"entity_name_is_not_moving": "{entity_name} is not moving",
"entity_name_is_not_occupied": "{entity_name} is not occupied",
- "entity_name_is_closed": "{entity_name} is closed",
"entity_name_is_unplugged": "{entity_name} is unplugged",
"entity_name_is_not_powered": "{entity_name} is not powered",
"entity_name_is_not_present": "{entity_name} is not present",
@@ -2811,7 +3140,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} is occupied",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is plugged in",
"entity_name_is_powered": "{entity_name} is powered",
"entity_name_is_present": "{entity_name} is present",
@@ -2831,7 +3159,6 @@
"entity_name_started_detecting_gas": "{entity_name} started detecting gas",
"entity_name_became_hot": "{entity_name} became hot",
"entity_name_started_detecting_light": "{entity_name} started detecting light",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} started detecting motion",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2842,18 +3169,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} became not hot",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} closed",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
@@ -2861,7 +3185,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} plugged in",
"entity_name_powered": "{entity_name} powered",
"entity_name_present": "{entity_name} present",
@@ -2869,46 +3192,16 @@
"entity_name_started_running": "{entity_name} started running",
"entity_name_started_detecting_smoke": "{entity_name} started detecting smoke",
"entity_name_started_detecting_sound": "{entity_name} started detecting sound",
- "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
- "entity_name_became_unsafe": "{entity_name} became unsafe",
- "trigger_type_update": "{entity_name} got an update available",
- "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
- "entity_name_is_buffering": "{entity_name} is buffering",
- "entity_name_is_idle": "{entity_name} is idle",
- "entity_name_is_paused": "{entity_name} is paused",
- "entity_name_is_playing": "{entity_name} is playing",
- "entity_name_starts_buffering": "{entity_name} starts buffering",
- "entity_name_becomes_idle": "{entity_name} becomes idle",
- "entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} is home",
- "entity_name_is_not_home": "{entity_name} is not home",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
- "increase_entity_name_brightness": "Increase {entity_name} brightness",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Disarm {entity_name}",
- "trigger_entity_name": "Trigger {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} is disarmed",
- "entity_name_is_triggered": "{entity_name} is triggered",
- "entity_name_armed_away": "{entity_name} armed away",
- "entity_name_armed_home": "{entity_name} armed home",
- "entity_name_armed_night": "{entity_name} armed night",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} disarmed",
- "entity_name_triggered": "{entity_name} triggered",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
+ "entity_name_became_unsafe": "{entity_name} became unsafe",
+ "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
+ "entity_name_is_buffering": "{entity_name} is buffering",
+ "entity_name_is_idle": "{entity_name} is idle",
+ "entity_name_is_paused": "{entity_name} is paused",
+ "entity_name_is_playing": "{entity_name} is playing",
+ "entity_name_starts_buffering": "{entity_name} starts buffering",
+ "entity_name_becomes_idle": "{entity_name} becomes idle",
+ "entity_name_starts_playing": "{entity_name} starts playing",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2918,35 +3211,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Close {entity_name} tilt",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Open {entity_name} tilt",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Set {entity_name} tilt position",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} is closing",
- "entity_name_is_opening": "{entity_name} is opening",
- "current_entity_name_position_is": "Current {entity_name} position is",
- "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
- "entity_name_closing": "{entity_name} closing",
- "entity_name_opening": "{entity_name} opening",
- "entity_name_position_changes": "{entity_name} position changes",
- "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Both buttons",
"bottom_buttons": "Bottom buttons",
"seventh_button": "Seventh button",
@@ -2971,13 +3235,6 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} is cleaning",
- "entity_name_is_docked": "{entity_name} is docked",
- "entity_name_started_cleaning": "{entity_name} started cleaning",
- "entity_name_docked": "{entity_name} docked",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2988,29 +3245,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Disarm {entity_name}",
+ "trigger_entity_name": "Trigger {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} is disarmed",
+ "entity_name_is_triggered": "{entity_name} is triggered",
+ "entity_name_armed_away": "{entity_name} armed away",
+ "entity_name_armed_home": "{entity_name} armed home",
+ "entity_name_armed_night": "{entity_name} armed night",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} disarmed",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "Device dropped",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Device tilted",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3141,52 +3423,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3203,6 +3455,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3213,102 +3466,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3321,25 +3483,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3365,27 +3572,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3424,40 +3912,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3465,77 +3919,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3544,83 +3937,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/ml/ml.json b/packages/core/src/hooks/useLocale/locales/ml/ml.json
index cd8d9d4e..fc3e7687 100644
--- a/packages/core/src/hooks/useLocale/locales/ml/ml.json
+++ b/packages/core/src/hooks/useLocale/locales/ml/ml.json
@@ -85,7 +85,7 @@
"reverse": "Reverse",
"medium": "Medium",
"target_humidity": "Target humidity.",
- "state": "നില",
+ "state": "State",
"name_target_humidity": "{name} ടാർഗെറ്റ് ഈർപ്പം",
"name_current_humidity": "{name} നിലവിലെ ഈർപ്പം",
"name_humidifying": "{name} ഈർപ്പമുണ്ടാക്കുന്നു",
@@ -241,13 +241,14 @@
"selector_options": "Selector Options",
"action": "Action",
"area": "Area",
- "attribute": "ആട്രിബ്യൂട്ട്",
+ "attribute": "Attribute",
"boolean": "Boolean",
"condition": "Condition",
"date": "Date",
"date_and_time": "തീയതിയും സമയവും",
"duration": "Duration",
"entity": "Entity",
+ "floor": "നില",
"icon": "Icon",
"location": "Location",
"number": "Number",
@@ -755,6 +756,7 @@
"ui_dialogs_more_info_control_update_create_backup": "പുതുക്കുന്നതിനു മുമ്പ് മറുപകർപ്പ് ഉണ്ടാക്കുക",
"update_instructions": "നിർദ്ദേശങ്ങൾ പുതുക്കുക",
"current_activity": "നിലവിലെ പ്രവർത്തനം",
+ "status": "Status 2",
"vacuum_cleaner_commands": "വാക്വം ക്ലീനർ കമാൻഡുകൾ:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -873,7 +875,7 @@
"restart_home_assistant": "Restart Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "വേഗത്തിൽ വീണ്ടും ലോഡുചെയ്യുക",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "കോൺഫിഗറേഷൻ റീലോഡ് ചെയ്യുന്നു",
"failed_to_reload_configuration": "കോൺഫിഗറേഷൻ വീണ്ടും കയറ്റുന്നതിൽ തോറ്റു",
"restart_description": "പ്രവർത്തിക്കുന്ന എല്ലാ ഓട്ടോമേഷനുകളും സ്ക്രിപ്റ്റുകളും തടസ്സപ്പെടുത്തുന്നു.",
@@ -905,8 +907,8 @@
"password": "Password",
"regex_pattern": "റെജെക്സ് പാറ്റേൺ",
"used_for_client_side_validation": "ക്ലയന്റ് പക്ഷത്തെ മൂല്യനിർണ്ണയത്തിനായി ഉപയോഗിക്കുന്നു",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "ഇൻപുട്ട് ഫീൽഡ്",
"slider": "Slider",
"step_size": "സ്റ്റെപ്പ് വലിപ്പം",
@@ -1223,7 +1225,7 @@
"ui_panel_lovelace_editor_edit_view_tab_badges": "ബാഡ്ജുകൾ",
"card_configuration": "ചീട്ട് ഉൾക്രമീകരണം",
"type_card_configuration": "{type} ചീട്ട് ഉൾക്രമീകരണം",
- "edit_card_pick_card": "ഏത് ചീട്ട് ചേർക്കാനാണ് നിങ്ങൾ ആഗ്രഹിക്കുന്നത്?",
+ "edit_card_pick_card": "Which card would you like to add?",
"toggle_editor": "തിരുത്ത്ലുപാധി നിലമാറ്റുക",
"you_have_unsaved_changes": "You have unsaved changes",
"edit_card_confirm_cancel": "റദ്ദാക്കണമെന്ന് തീർച്ചയാണോ?",
@@ -1543,142 +1545,121 @@
"now": "Now",
"compare_data": "Compare data",
"reload_ui": "UI റീലോഡ് ചെയ്യുക",
- "tag": "Tags",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "tag": "Tags",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
+ "scene": "Scene",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climate",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climate",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1707,6 +1688,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1732,31 +1714,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Next dawn",
- "next_dusk": "Next dusk",
- "next_midnight": "Next midnight",
- "next_noon": "Next noon",
- "next_rising": "Next rising",
- "next_setting": "Next setting",
- "solar_azimuth": "Solar azimuth",
- "solar_elevation": "Solar elevation",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1778,34 +1745,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Plugged in",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1879,6 +1888,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1929,7 +1939,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1946,6 +1955,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Next dawn",
+ "next_dusk": "Next dusk",
+ "next_midnight": "Next midnight",
+ "next_noon": "Next noon",
+ "next_rising": "Next rising",
+ "next_setting": "Next setting",
+ "solar_azimuth": "Solar azimuth",
+ "solar_elevation": "Solar elevation",
+ "solar_rising": "Solar rising",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1965,73 +2017,251 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Plugged in",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Paused",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -2064,84 +2294,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Current humidity",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Current action",
- "cooling": "Cooling",
- "defrosting": "Defrosting",
- "drying": "Drying",
- "heating": "Heating",
- "preheating": "Preheating",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Both",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Not charging",
- "disconnected": "Disconnected",
- "connected": "Connected",
- "hot": "Hot",
- "no_light": "No light",
- "light_detected": "Light detected",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "Not moving",
- "unplugged": "Unplugged",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Above horizon",
- "below_horizon": "Below horizon",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2157,13 +2315,36 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "available_tones": "Available tones",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Clear, night",
"cloudy": "Cloudy",
"exceptional": "Exceptional",
@@ -2186,26 +2367,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "disarming": "Disarming",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2214,65 +2378,112 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locked": "Locked",
+ "locking": "Locking",
+ "unlocked": "Unlocked",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Current humidity",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Current action",
+ "cooling": "Cooling",
+ "defrosting": "Defrosting",
+ "drying": "Drying",
+ "heating": "Heating",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Both",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Not charging",
+ "disconnected": "Disconnected",
+ "connected": "Connected",
+ "hot": "Hot",
+ "no_light": "No light",
+ "light_detected": "Light detected",
+ "not_moving": "Not moving",
+ "unplugged": "Unplugged",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Above horizon",
+ "below_horizon": "Below horizon",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Disarming",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2283,27 +2494,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2311,68 +2524,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2399,48 +2571,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Bridge is already configured",
- "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Couldn't get an API key",
- "link_with_deconz": "Link with deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2448,128 +2619,161 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "Bridge is already configured",
+ "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Couldn't get an API key",
+ "link_with_deconz": "Link with deCONZ",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Enable birth message",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Enable will message",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
"passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
"samsungtv_smart_options": "SamsungTV Smart options",
"data_use_st_status_info": "Use SmartThings TV Status information",
"data_use_st_channel_info": "Use SmartThings TV Channels information",
@@ -2597,28 +2801,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Enable birth message",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Enable will message",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2626,26 +2808,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2740,6 +3007,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
+ "increase_entity_name_brightness": "Increase {entity_name} brightness",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "First button",
+ "second_button": "Second button",
+ "third_button": "Third button",
+ "fourth_button": "Fourth button",
+ "fifth_button": "Fifth button",
+ "sixth_button": "Sixth button",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} is home",
+ "entity_name_is_not_home": "{entity_name} is not home",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} is cleaning",
+ "entity_name_is_docked": "{entity_name} is docked",
+ "entity_name_started_cleaning": "{entity_name} started cleaning",
+ "entity_name_docked": "{entity_name} docked",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} is locked",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is unlocked",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opened",
+ "entity_name_unlocked": "{entity_name} unlocked",
"action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
"change_preset_on_entity_name": "Change preset on {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2747,8 +3067,22 @@
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Close {entity_name} tilt",
+ "open_entity_name_tilt": "Open {entity_name} tilt",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Set {entity_name} tilt position",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} is closed",
+ "entity_name_is_closing": "{entity_name} is closing",
+ "entity_name_is_opening": "{entity_name} is opening",
+ "current_entity_name_position_is": "Current {entity_name} position is",
+ "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
+ "entity_name_closed": "{entity_name} closed",
+ "entity_name_closing": "{entity_name} closing",
+ "entity_name_opening": "{entity_name} opening",
+ "entity_name_position_changes": "{entity_name} position changes",
+ "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
"entity_name_battery_is_low": "{entity_name} battery is low",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2757,7 +3091,6 @@
"entity_name_is_detecting_gas": "{entity_name} is detecting gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} is detecting light",
- "entity_name_is_locked": "{entity_name} is locked",
"entity_name_is_moist": "{entity_name} is moist",
"entity_name_is_detecting_motion": "{entity_name} is detecting motion",
"entity_name_is_moving": "{entity_name} is moving",
@@ -2775,11 +3108,9 @@
"entity_name_is_not_cold": "{entity_name} is not cold",
"entity_name_is_disconnected": "{entity_name} is disconnected",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} is unlocked",
"entity_name_is_dry": "{entity_name} is dry",
"entity_name_is_not_moving": "{entity_name} is not moving",
"entity_name_is_not_occupied": "{entity_name} is not occupied",
- "entity_name_is_closed": "{entity_name} is closed",
"entity_name_is_unplugged": "{entity_name} is unplugged",
"entity_name_is_not_powered": "{entity_name} is not powered",
"entity_name_is_not_present": "{entity_name} is not present",
@@ -2787,7 +3118,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} is occupied",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is plugged in",
"entity_name_is_powered": "{entity_name} is powered",
"entity_name_is_present": "{entity_name} is present",
@@ -2807,7 +3137,6 @@
"entity_name_started_detecting_gas": "{entity_name} started detecting gas",
"entity_name_became_hot": "{entity_name} became hot",
"entity_name_started_detecting_light": "{entity_name} started detecting light",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} started detecting motion",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2818,18 +3147,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} became not hot",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} closed",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
@@ -2837,7 +3163,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} plugged in",
"entity_name_powered": "{entity_name} powered",
"entity_name_present": "{entity_name} present",
@@ -2845,46 +3170,16 @@
"entity_name_started_running": "{entity_name} started running",
"entity_name_started_detecting_smoke": "{entity_name} started detecting smoke",
"entity_name_started_detecting_sound": "{entity_name} started detecting sound",
- "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
- "entity_name_became_unsafe": "{entity_name} became unsafe",
- "trigger_type_update": "{entity_name} got an update available",
- "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
- "entity_name_is_buffering": "{entity_name} is buffering",
- "entity_name_is_idle": "{entity_name} is idle",
- "entity_name_is_paused": "{entity_name} is paused",
- "entity_name_is_playing": "{entity_name} is playing",
- "entity_name_starts_buffering": "{entity_name} starts buffering",
- "entity_name_becomes_idle": "{entity_name} becomes idle",
- "entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} is home",
- "entity_name_is_not_home": "{entity_name} is not home",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
- "increase_entity_name_brightness": "Increase {entity_name} brightness",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Disarm {entity_name}",
- "trigger_entity_name": "Trigger {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} is disarmed",
- "entity_name_is_triggered": "{entity_name} is triggered",
- "entity_name_armed_away": "{entity_name} armed away",
- "entity_name_armed_home": "{entity_name} armed home",
- "entity_name_armed_night": "{entity_name} armed night",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} disarmed",
- "entity_name_triggered": "{entity_name} triggered",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
+ "entity_name_became_unsafe": "{entity_name} became unsafe",
+ "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
+ "entity_name_is_buffering": "{entity_name} is buffering",
+ "entity_name_is_idle": "{entity_name} is idle",
+ "entity_name_is_paused": "{entity_name} is paused",
+ "entity_name_is_playing": "{entity_name} is playing",
+ "entity_name_starts_buffering": "{entity_name} starts buffering",
+ "entity_name_becomes_idle": "{entity_name} becomes idle",
+ "entity_name_starts_playing": "{entity_name} starts playing",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2894,35 +3189,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Close {entity_name} tilt",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Open {entity_name} tilt",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Set {entity_name} tilt position",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} is closing",
- "entity_name_is_opening": "{entity_name} is opening",
- "current_entity_name_position_is": "Current {entity_name} position is",
- "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
- "entity_name_closing": "{entity_name} closing",
- "entity_name_opening": "{entity_name} opening",
- "entity_name_position_changes": "{entity_name} position changes",
- "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Both buttons",
"bottom_buttons": "Bottom buttons",
"seventh_button": "Seventh button",
@@ -2947,13 +3213,6 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} is cleaning",
- "entity_name_is_docked": "{entity_name} is docked",
- "entity_name_started_cleaning": "{entity_name} started cleaning",
- "entity_name_docked": "{entity_name} docked",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2964,29 +3223,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Disarm {entity_name}",
+ "trigger_entity_name": "Trigger {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} is disarmed",
+ "entity_name_is_triggered": "{entity_name} is triggered",
+ "entity_name_armed_away": "{entity_name} armed away",
+ "entity_name_armed_home": "{entity_name} armed home",
+ "entity_name_armed_night": "{entity_name} armed night",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} disarmed",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "Device dropped",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Device tilted",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3117,52 +3401,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3179,6 +3433,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3189,102 +3444,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3297,25 +3461,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3341,27 +3550,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3400,40 +3890,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3441,77 +3897,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3520,83 +3915,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/nb/nb.json b/packages/core/src/hooks/useLocale/locales/nb/nb.json
index f5df8658..f6c43fed 100644
--- a/packages/core/src/hooks/useLocale/locales/nb/nb.json
+++ b/packages/core/src/hooks/useLocale/locales/nb/nb.json
@@ -68,8 +68,8 @@
"action_to_target": "{action} til målet",
"target": "Target",
"humidity_target": "Mål for luftfuktighet",
- "increment": "Increment",
- "decrement": "Decrement",
+ "increment": "Øk",
+ "decrement": "Senk",
"reset": "Nullstill",
"position": "Position",
"tilt_position": "Tilt position",
@@ -85,7 +85,7 @@
"reverse": "Reverse",
"medium": "Medium",
"target_humidity": "Mål for luftfuktighet.",
- "state": "Tilstand",
+ "state": "State",
"name_target_humidity": "{name} målfuktighet",
"name_current_humidity": "{name} luftfuktighet",
"name_humidifying": "{name} luftfukting",
@@ -134,7 +134,7 @@
"cancel": "Cancel",
"cancel_number": "Avbryt {number}",
"cancel_all": "Avbryt alle",
- "idle": "Idle",
+ "idle": "Inaktiv",
"run_script": "Kjør skript",
"option": "Alternativ",
"installing": "Installerer",
@@ -223,7 +223,7 @@
"copied_to_clipboard": "Kopiert til utklippstavle",
"name": "Navn",
"optional": "Valgfritt",
- "default": "Default",
+ "default": "Standard",
"select_media_player": "Velg mediespiller",
"media_browse_not_supported": "Mediespilleren støtter ikke surfing av media.",
"pick_media": "Velg Media",
@@ -243,12 +243,12 @@
"selector_options": "Velgeralternativ",
"action": "Handling",
"area": "Area",
- "attribute": "Attributt",
+ "attribute": "Attribute",
"boolean": "Boolean",
"condition": "Betingelse",
"date": "Dato",
"date_and_time": "Dato og tid",
- "duration": "Varighet",
+ "duration": "Duration",
"entity": "Entity",
"floor": "Etasje",
"icon": "Icon",
@@ -282,7 +282,7 @@
"was_detected_away": "ble oppdaget borte",
"was_detected_at_state": "ble oppdaget på {state}",
"rose": "soloppgang",
- "set": "Set",
+ "set": "Sett",
"was_low": "var lav",
"was_normal": "var normal",
"was_connected": "var tilkoblet",
@@ -445,7 +445,6 @@
"primary": "Primærfarge",
"accent": "Aksentfarge",
"disabled": "Deaktivert",
- "inactive": "Inaktiv",
"red": "Red",
"pink": "Pink",
"purple": "Lilla",
@@ -470,7 +469,7 @@
"black": "Sort",
"white": "White",
"ui_components_color_picker_default_color": "Standardfarge (tilstand)",
- "start_date": "Startdato",
+ "start_date": "Start date",
"end_date": "End date",
"select_time_period": "Velg tidsperiode",
"today": "I dag",
@@ -577,7 +576,7 @@
"grid": "Rutenett",
"list": "Liste",
"task_name": "Oppgavenavn",
- "description": "Beskrivelse",
+ "description": "Description",
"add_item": "Legg til gjøremål",
"delete_item": "Slett gjøremål",
"edit_item": "Rediger gjøremål",
@@ -636,7 +635,7 @@
"or": "Eller",
"last": "Siste",
"times": "ganger",
- "summary": "Sammendrag",
+ "summary": "Summary",
"attributes": "Attributter",
"select_camera": "Velg kamera",
"qr_scanner_not_supported": "Din nettleser støtter ikke QR-skanning.",
@@ -755,7 +754,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Lag sikkerhetskopi før oppdatering",
"update_instructions": "Oppdateringsanvisning",
"current_activity": "Nåværende aktivitet",
- "status": "Status",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Støvsugerkommandoer:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -790,7 +789,7 @@
"default_code": "Standardkode",
"editor_default_code_error": "Koden samsvarer ikke med kodeformatet",
"entity_id": "Entity ID",
- "unit_of_measurement": "Måleenhet",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "Nedbørsenhet",
"display_precision": "Vis presisjon",
"default_value": "Standard ({value})",
@@ -874,7 +873,7 @@
"restart_home_assistant": "Vil du starte Home Assistant på nytt?",
"advanced_options": "Advanced options",
"quick_reload": "Rask omlasting",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Laster inn konfigurasjonen på nytt",
"failed_to_reload_configuration": "Kunne ikke laste inn konfigurasjonen på nytt",
"restart_description": "Avbryter alle kjørende automasjoner og skript.",
@@ -903,8 +902,8 @@
"password": "Passord",
"regex_pattern": "Regex mønster",
"used_for_client_side_validation": "Brukes for validering på klientsiden",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Inndatafelt",
"slider": "Glidebryter",
"step_size": "Trinnstørrelse",
@@ -950,7 +949,7 @@
"ui_dialogs_zha_device_info_confirmations_remove": "Er du sikker på at du vil fjerne enheten?",
"quirk": "Quirk",
"last_seen": "Sist sett",
- "power_source": "Strømkilde",
+ "power_source": "Power source",
"change_device_name": "Endre enhetsnavn",
"device_debug_info": "{device} feilsøkingsinfo",
"mqtt_device_debug_info_deserialize": "Forsøk å analysere MQTT-meldinger som JSON",
@@ -1225,7 +1224,7 @@
"ui_panel_lovelace_editor_edit_view_type_warning_sections": "Du kan ikke endre visningen din til å bruke visningstypen 'seksjoner' fordi migrering ennå ikke er støttet. Start fra bunnen av med en ny visning hvis du vil eksperimentere med 'seksjoner'.",
"card_configuration": "Kortkonfigurasjon",
"type_card_configuration": "{type} Kortkonfigurasjon",
- "edit_card_pick_card": "Hvilket kort vil du legge til?",
+ "edit_card_pick_card": "Which card would you like to add?",
"toggle_editor": "Bytt redigering",
"you_have_unsaved_changes": "Du har endringer som ikke er lagret",
"edit_card_confirm_cancel": "Er du sikker på at du vil avbryte?",
@@ -1442,6 +1441,7 @@
"hide_state": "Skjul tilstand",
"ui_panel_lovelace_editor_card_tile_actions": "Handlinger",
"ui_panel_lovelace_editor_card_tile_state_content_options_last_updated": "Sist oppdatert",
+ "ui_panel_lovelace_editor_card_tile_state_content_options_state": "Tilstand",
"vertical_stack": "Vertikal stabel",
"weather_forecast": "Værmelding",
"weather_to_show": "Vær å vise",
@@ -1559,138 +1559,117 @@
"now": "Nå",
"compare_data": "Sammenlign data",
"reload_ui": "Last inn brukergrensesnittet på nytt",
- "tag": "Tag",
- "input_datetime": "Datotid-inndata",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Nedtelling",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Enhetssporing",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Boolsk inndata",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "tag": "Tag",
+ "media_source": "Media Source",
+ "mobile_app": "Mobilapp",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostikk",
+ "filesize": "Filstørrelse",
+ "group": "Group",
+ "binary_sensor": "Binær sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Valg-inndata",
+ "device_automation": "Device Automation",
+ "input_button": "Inndataknapp",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
"fan": "Vifte",
- "weather": "Vær",
- "camera": "Kamera",
+ "scene": "Scene",
"schedule": "Timeplan",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automasjon",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Vær",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Samtale",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Tekst-inndata",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Klima",
- "binary_sensor": "Binær sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automasjon",
+ "system_log": "System Log",
+ "cover": "Gardin/port",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Gardin/port",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Sirene",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Gressklipper",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Enhetssporing",
+ "remote": "Fjernkontroll",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Bryter",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Støvsuger",
+ "reolink": "Reolink",
+ "camera": "Kamera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Fjernkontroll",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Teller",
- "filesize": "Filstørrelse",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi strømforsyningskontroll",
+ "conversation": "Samtale",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Klima",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Boolsk inndata",
- "lawn_mower": "Gressklipper",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm kontrollpanel",
- "input_select": "Valg-inndata",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobilapp",
+ "timer": "Nedtelling",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Bryter",
+ "input_datetime": "Datotid-inndata",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Teller",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Søknadslegitimasjon",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Gruppe",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostikk",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Tekst-inndata",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Søknadslegitimasjon",
- "siren": "Sirene",
- "bluetooth": "Bluetooth",
- "input_button": "Inndataknapp",
- "vacuum": "Støvsuger",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi strømforsyningskontroll",
- "assist_satellite": "Assist satellite",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1719,6 +1698,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1744,31 +1724,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Neste grålysning",
- "next_dusk": "Neste skumring",
- "next_midnight": "Neste midnatt",
- "next_noon": "Neste midt på dagen",
- "next_rising": "Neste soloppgang",
- "next_setting": "Neste solnedgang",
- "solar_azimuth": "Sol-asimut",
- "solar_elevation": "Solhøyde",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Belysningsstyrke",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Kalibrering",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth-signal",
+ "light_level": "Lysnivå",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1790,34 +1755,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Nyeste versjon",
- "synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Stille",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "day_of_week": "Day of week",
+ "illuminance": "Belysningsstyrke",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
+ "synchronize_devices": "Synchronize devices",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Av",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Plugget inn",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Oppdaget",
"animal_lens": "Animal lens 1",
@@ -1891,6 +1898,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Av",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital først",
@@ -1941,7 +1949,6 @@
"ptz_pan_position": "PTZ panoreringsposisjon",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi-signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1958,6 +1965,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Stille",
+ "preferred": "Foretrukket",
+ "finished_speaking_detection": "Avsluttet talegjenkjenning",
+ "aggressive": "Aggressiv",
+ "relaxed": "Avslappet",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Nyeste versjon",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes mottatt",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sendt",
+ "working_location": "Working location",
+ "next_dawn": "Neste grålysning",
+ "next_dusk": "Neste skumring",
+ "next_midnight": "Neste midnatt",
+ "next_noon": "Neste midt på dagen",
+ "next_rising": "Neste soloppgang",
+ "next_setting": "Neste solnedgang",
+ "solar_azimuth": "Sol-asimut",
+ "solar_elevation": "Solhøyde",
+ "solar_rising": "Solar rising",
"heavy": "Tung",
"mild": "Mild",
"button_down": "Button down",
@@ -1974,75 +2024,254 @@
"not_completed": "Ikke fullført",
"pending": "Avventer",
"checking": "Checking",
+ "closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Kalibrering",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth-signal",
- "light_level": "Lysnivå",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes mottatt",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sendt",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Plugget inn",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Administrert via UI",
- "max_length": "Maks lengde",
- "min_length": "Min lengde",
- "pattern": "Mønster",
- "minute": "Minutt",
- "second": "Andre",
- "timestamp": "Tidsstempel",
- "stopped": "Stoppet",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Viftegruppe",
+ "light_group": "Lysgruppe",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Rask starttid",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart vifte led visningsnivå",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "Pågår",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart viftemodus",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Tilgjengelige toner",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Pauset",
- "finishes_at": "Ferdig kl",
- "remaining": "Gjenstående",
- "restore": "Gjenopprett",
"last_reset": "Siste tilbakestilling",
"possible_states": "Mulige tilstander",
"state_class": "Tilstandsklasse",
@@ -2074,81 +2303,12 @@
"sound_pressure": "Lydtrykk",
"speed": "Speed",
"sulphur_dioxide": "Svoveldioksid",
+ "timestamp": "Tidsstempel",
"vocs": "VOC",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Lagret volum",
"weight": "Vekt",
- "cool": "Kjøling",
- "fan_only": "Bare vifte",
- "heat_cool": "Varme/kjøling",
- "aux_heat": "Aux varme",
- "current_humidity": "Aktuell luftfuktighet",
- "current_temperature": "Current Temperature",
- "fan_mode": "Viftemodus",
- "diffuse": "Diffus",
- "top": "Topp",
- "current_action": "Gjeldende handling",
- "defrosting": "Defrosting",
- "heating": "Oppvarming",
- "preheating": "Forhåndsvarme",
- "max_target_humidity": "Maksimumsmål for luftfuktighet",
- "max_target_temperature": "Maks måltemperatur",
- "min_target_humidity": "Minimumsmål for luftfuktighet",
- "min_target_temperature": "Minimum måltemperatur",
- "boost": "Boost",
- "comfort": "Komfort",
- "eco": "Øko",
- "sleep": "Sove",
- "presets": "Forhåndsinnstillinger",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Svingemodus",
- "both": "Begge",
- "horizontal": "Horisontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Trinn for måltemperatur",
- "step": "Steg",
- "not_charging": "Lader ikke",
- "disconnected": "Frakoblet",
- "connected": "Tilkoblet",
- "hot": "Varm",
- "no_light": "Ingen lys",
- "light_detected": "Lys oppdaget",
- "locked": "Låst",
- "unlocked": "Ulåst",
- "not_moving": "Beveger seg ikke",
- "unplugged": "Koblet fra",
- "not_running": "Kjører ikke",
- "safe": "Sikker",
- "unsafe": "Usikker",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatisk",
- "box": "Eske",
- "above_horizon": "Over horisonten",
- "below_horizon": "Under horisonten",
- "buffering": "Bufring",
- "playing": "Spiller",
- "standby": "Hvilemodus",
- "app_id": "App-ID",
- "local_accessible_entity_picture": "Lokalt tilgjengelig entitetsbilde",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Albumartist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Kanaler",
- "position_updated": "Stillingen er oppdatert",
- "series": "Serie",
- "all": "Alle",
- "one": "En",
- "available_sound_modes": "Tilgjengelige lydmoduser",
- "available_sources": "Tilgjengelige kilder",
- "receiver": "Mottaker",
- "speaker": "Høyttaler",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Ruter",
+ "managed_via_ui": "Administrert via UI",
"color_mode": "Color Mode",
"brightness_only": "Kun lysstyrke",
"hs": "HS",
@@ -2164,13 +2324,36 @@
"minimum_color_temperature_kelvin": "Minimum fargetemperatur (Kelvin)",
"minimum_color_temperature_mireds": "Minimum fargetemperatur (mireds)",
"available_color_modes": "Tilgjengelige fargemoduser",
- "available_tones": "Tilgjengelige toner",
"docked": "Dokket",
"mowing": "Klipper",
+ "paused": "Pauset",
"returning": "Returning",
+ "max_length": "Maks lengde",
+ "min_length": "Min lengde",
+ "pattern": "Mønster",
+ "running_automations": "Kjører automasjoner",
+ "max_running_scripts": "Maks kjørende skript",
+ "run_mode": "Kjøremodus",
+ "parallel": "Parallell",
+ "queued": "I kø",
+ "single": "Enkelt",
+ "auto_update": "Automatisk oppdatering",
+ "installed_version": "Installert versjon",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Fastvare",
"oscillating": "Oscillating",
"speed_step": "Hastighetstrinn",
"available_preset_modes": "Tilgjengelige forhåndsinnstilte moduser",
+ "minute": "Minutt",
+ "second": "Andre",
+ "next_event": "Neste arrangement",
+ "step": "Steg",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Ruter",
"clear_night": "Klart, natt",
"cloudy": "Skyet",
"exceptional": "Eksepsjonell",
@@ -2192,26 +2375,9 @@
"uv_index": "UV index",
"wind_bearing": "Vindendring",
"wind_gust_speed": "Vindkasthastighet",
- "auto_update": "Automatisk oppdatering",
- "in_progress": "Pågår",
- "installed_version": "Installert versjon",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Fastvare",
- "armed_away": "Armert borte",
- "armed_custom_bypass": "Armert tilpasset unntak",
- "armed_home": "Armert hjemme",
- "armed_night": "Armert natt",
- "armed_vacation": "Armert ferie",
- "disarming": "Dearmerer",
- "triggered": "Utløst",
- "changed_by": "Endret av",
- "code_for_arming": "Kode for tilkopling",
- "not_required": "Ikke nødvendig",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Rengjør",
+ "returning_to_dock": "Returner til dokkingstasjon",
"recording": "Opptak",
"streaming": "Strømming",
"access_token": "Tilgangskode",
@@ -2220,96 +2386,142 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Modell",
- "end_time": "Sluttid",
- "start_time": "Start time",
- "next_event": "Neste arrangement",
- "garage": "Garasje",
- "event_type": "Event type",
- "event_types": "Event types",
- "doorbell": "Doorbell",
- "running_automations": "Kjører automasjoner",
- "id": "ID",
- "max_running_automations": "Maks kjørende automasjoner",
- "run_mode": "Kjøremodus",
- "parallel": "Parallell",
- "queued": "I kø",
- "single": "Enkelt",
- "cleaning": "Rengjør",
- "returning_to_dock": "Returner til dokkingstasjon",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Maks kjørende skript",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatisk",
+ "box": "Eske",
"jammed": "Fastkjørt",
+ "locked": "Låst",
"locking": "Låse",
+ "unlocked": "Ulåst",
"unlocking": "Låser opp",
+ "changed_by": "Endret av",
+ "code_format": "Code format",
"members": "Medlemmer",
- "known_hosts": "Kjente verter",
- "google_cast_configuration": "Google Cast-konfigurasjon",
- "confirm_description": "Vil du sette opp {name} ?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Kontoen er allerede konfigurert",
- "abort_already_in_progress": "Konfigurasjonsflyten pågår allerede",
- "failed_to_connect": "Tilkobling mislyktes",
- "invalid_access_token": "Ugyldig tilgangskode",
- "invalid_authentication": "Ugyldig godkjenning",
- "received_invalid_token_data": "Mottatt ugyldige token-data.",
- "abort_oauth_failed": "Feil ved henting av tilgangskode.",
- "timeout_resolving_oauth_token": "Tidsavbrudd ved oppslag av OAuth-token.",
- "abort_oauth_unauthorized": "OAuth-autorisasjonsfeil ved henting av tilgangskode.",
- "re_authentication_was_successful": "Autentisering på nytt var vellykket",
- "unexpected_error": "Uventet feil",
- "successfully_authenticated": "Vellykket godkjenning",
- "link_fitbit": "Koble med Fitbit",
- "pick_authentication_method": "Velg godkjenningsmetode",
- "authentication_expired_for_name": "Autentisering er utløpt for {name}",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Maks kjørende automasjoner",
+ "cool": "Kjøling",
+ "fan_only": "Bare vifte",
+ "heat_cool": "Varme/kjøling",
+ "aux_heat": "Aux varme",
+ "current_humidity": "Aktuell luftfuktighet",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Viftemodus",
+ "diffuse": "Diffus",
+ "top": "Topp",
+ "current_action": "Gjeldende handling",
+ "defrosting": "Defrosting",
+ "heating": "Oppvarming",
+ "preheating": "Forhåndsvarme",
+ "max_target_humidity": "Maksimumsmål for luftfuktighet",
+ "max_target_temperature": "Maks måltemperatur",
+ "min_target_humidity": "Minimumsmål for luftfuktighet",
+ "min_target_temperature": "Minimum måltemperatur",
+ "boost": "Boost",
+ "comfort": "Komfort",
+ "eco": "Øko",
+ "sleep": "Sove",
+ "presets": "Forhåndsinnstillinger",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Svingemodus",
+ "both": "Begge",
+ "horizontal": "Horisontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Trinn for måltemperatur",
+ "stopped": "Stopped",
+ "garage": "Garasje",
+ "not_charging": "Lader ikke",
+ "disconnected": "Frakoblet",
+ "connected": "Tilkoblet",
+ "hot": "Varm",
+ "no_light": "Ingen lys",
+ "light_detected": "Lys oppdaget",
+ "not_moving": "Beveger seg ikke",
+ "unplugged": "Koblet fra",
+ "not_running": "Kjører ikke",
+ "safe": "Sikker",
+ "unsafe": "Usikker",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Bufring",
+ "playing": "Spiller",
+ "standby": "Hvilemodus",
+ "app_id": "App-ID",
+ "local_accessible_entity_picture": "Lokalt tilgjengelig entitetsbilde",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Albumartist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Kanaler",
+ "position_updated": "Stillingen er oppdatert",
+ "series": "Serie",
+ "all": "Alle",
+ "one": "En",
+ "available_sound_modes": "Tilgjengelige lydmoduser",
+ "available_sources": "Tilgjengelige kilder",
+ "receiver": "Mottaker",
+ "speaker": "Høyttaler",
+ "tv": "TV",
+ "end_time": "End time",
+ "start_time": "Start time",
+ "event_type": "Event type",
+ "event_types": "Event types",
+ "doorbell": "Doorbell",
+ "above_horizon": "Over horisonten",
+ "below_horizon": "Under horisonten",
+ "armed_away": "Armert borte",
+ "armed_custom_bypass": "Armert tilpasset unntak",
+ "armed_home": "Armert hjemme",
+ "armed_night": "Armert natt",
+ "armed_vacation": "Armert ferie",
+ "disarming": "Dearmerer",
+ "triggered": "Utløst",
+ "code_for_arming": "Kode for tilkopling",
+ "not_required": "Ikke nødvendig",
+ "finishes_at": "Ferdig kl",
+ "remaining": "Gjenstående",
+ "restore": "Gjenopprett",
"device_is_already_configured": "Enhet er allerede konfigurert",
+ "failed_to_connect": "Tilkobling mislyktes",
"abort_no_devices_found": "Ingen enheter funnet på nettverket",
+ "re_authentication_was_successful": "Autentisering på nytt var vellykket",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Tilkoblingsfeil: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
"camera_stream_authentication_failed": "Camera stream authentication failed",
"name_model_host": "{name} {model} ( {host} )",
"enable_camera_live_view": "Enable camera live view",
- "username": "Brukernavn",
+ "username": "Username",
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Autentisering er utløpt for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Allerede konfigurert. Bare én enkelt konfigurasjon er mulig.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Vil du starte oppsettet?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Switchbot-type støttes ikke.",
+ "unexpected_error": "Uventet feil",
+ "authentication_failed_error_detail": "Autentisering mislyktes: {error_detail}",
+ "error_encryption_key_invalid": "Nøkkel-ID eller krypteringsnøkkel er ugyldig",
+ "name_address": "{name} ( {address} )",
+ "confirm_description": "Vil du sette opp {name} ?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Krypteringsnøkkel",
+ "key_id": "Key ID",
+ "password_description": "Passord til å beskytte sikkerhetskopien.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Kalendernavn",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Konfigurasjonsflyten pågår allerede",
"abort_invalid_host": "Ugyldig vertsnavn eller IP-adresse",
"device_not_supported": "Enheten støttes ikke",
+ "invalid_authentication": "Ugyldig godkjenning",
"name_model_at_host": "{name} ({model} på {host})",
"authenticate_to_the_device": "Godkjenning til enheten",
"finish_title": "Velg et navn på enheten",
@@ -2317,69 +2529,27 @@
"yes_do_it": "Ja, gjør det.",
"unlock_the_device_optional": "Lås opp enheten (valgfritt)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Tidsavbrudd oppretter forbindelse",
- "link_google_account": "Koble til Google-kontoen",
- "path_is_not_allowed": "Stien er ikke tillatt",
- "path_is_not_valid": "Banen er ikke gyldig",
- "path_to_file": "Bane til fil",
- "api_key": "API-nøkkel",
- "configure_daikin_ac": "Konfigurer Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "bluetooth_confirm_description": "Vil du sette opp {name}?",
- "adapter": "Adapter",
- "multiple_adapters_description": "Velg en Bluetooth-adapter for å konfigurere",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Enhetsklasse",
- "state_template": "Tilstandsmal",
- "template_binary_sensor": "Mal for binær sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Malsensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Mal for en binær sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Mal for en sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Malhjelper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Kontoen er allerede konfigurert",
+ "invalid_access_token": "Ugyldig tilgangskode",
+ "received_invalid_token_data": "Mottatt ugyldige token-data.",
+ "abort_oauth_failed": "Feil ved henting av tilgangskode.",
+ "timeout_resolving_oauth_token": "Tidsavbrudd ved oppslag av OAuth-token.",
+ "abort_oauth_unauthorized": "OAuth-autorisasjonsfeil ved henting av tilgangskode.",
+ "successfully_authenticated": "Vellykket godkjenning",
+ "link_fitbit": "Koble med Fitbit",
+ "pick_authentication_method": "Velg godkjenningsmetode",
+ "two_factor_code": "Totrinnsbekreftelse kode",
+ "two_factor_authentication": "Totrinnsbekreftelse",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Logg på med din Ring-konto",
+ "abort_alternative_integration": "Enheten støttes bedre av en annen integrasjon",
+ "abort_incomplete_config": "Konfigurasjonen mangler en nødvendig variabel",
+ "manual_description": "URL til en enhetsbeskrivelse XML -fil",
+ "manual_title": "Manuell DLNA DMR -enhetstilkobling",
+ "discovered_dlna_dmr_devices": "Oppdaget DLNA DMR -enheter",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2405,47 +2575,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Broen er allerede konfigurert",
- "no_deconz_bridges_discovered": "Ingen deCONZ broer oppdaget",
- "abort_no_hardware_available": "Ingen radiomaskinvare koblet til deCONZ",
- "abort_updated_instance": "Oppdatert deCONZ forekomst med ny vertsadresse",
- "error_linking_not_possible": "Kunne ikke koble til gatewayen",
- "error_no_key": "Kunne ikke få en API-nøkkel",
- "link_with_deconz": "Koble til deCONZ",
- "select_discovered_deconz_gateway": "Velg oppdaget deCONZ gateway",
- "pin_code": "PIN-kode",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Manglende MAC-adresse i MDNS-egenskaper.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Oppdaget ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Enheten støttes bedre av en annen integrasjon",
- "abort_incomplete_config": "Konfigurasjonen mangler en nødvendig variabel",
- "manual_description": "URL til en enhetsbeskrivelse XML -fil",
- "manual_title": "Manuell DLNA DMR -enhetstilkobling",
- "discovered_dlna_dmr_devices": "Oppdaget DLNA DMR -enheter",
+ "api_key": "API-nøkkel",
+ "configure_daikin_ac": "Konfigurer Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Bruker et SSL-sertifikat",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "bluetooth_confirm_description": "Vil du sette opp {name}?",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Velg en Bluetooth-adapter for å konfigurere",
"api_error_occurred": "API-feil oppstod",
"hostname_ip_address": "{hostname} ( {ip_address} )",
"enable_https": "Aktiver HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Totrinnsbekreftelse kode",
- "two_factor_authentication": "Totrinnsbekreftelse",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Logg på med din Ring-konto",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
+ "timeout_establishing_connection": "Tidsavbrudd oppretter forbindelse",
+ "link_google_account": "Koble til Google-kontoen",
+ "path_is_not_allowed": "Stien er ikke tillatt",
+ "path_is_not_valid": "Banen er ikke gyldig",
+ "path_to_file": "Bane til fil",
+ "pin_code": "PIN-kode",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "Alle enheter",
"hide_members": "Skjul medlemmer",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignorer ikke-numerisk",
"data_round_digits": "Avrund verdi til antall desimaler",
"type": "Type",
@@ -2453,155 +2623,135 @@
"button_group": "Button group",
"cover_group": "Persiennegruppe",
"event_group": "Event group",
- "fan_group": "Viftegruppe",
- "light_group": "Lysgruppe",
"lock_group": "Låsgruppe",
"media_player_group": "Mediespillergruppe",
"notify_group": "Notify group",
"sensor_group": "Sensorgruppe",
"switch_group": "Brytergruppe",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Switchbot-type støttes ikke.",
- "authentication_failed_error_detail": "Autentisering mislyktes: {error_detail}",
- "error_encryption_key_invalid": "Nøkkel-ID eller krypteringsnøkkel er ugyldig",
- "name_address": "{name} ( {address} )",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Passord til å beskytte sikkerhetskopien.",
- "device_address": "Enhetsadresse",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Bruker et SSL-sertifikat",
- "ignore_cec": "Ignorer CEC",
- "allowed_uuids": "Tillatte UUIDer",
- "advanced_google_cast_configuration": "Avansert Google Cast-konfigurasjon",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant tilgang til Google Kalender",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passiv skanning",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "known_hosts": "Kjente verter",
+ "google_cast_configuration": "Google Cast-konfigurasjon",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Manglende MAC-adresse i MDNS-egenskaper.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Oppdaget ESPHome node",
+ "bridge_is_already_configured": "Broen er allerede konfigurert",
+ "no_deconz_bridges_discovered": "Ingen deCONZ broer oppdaget",
+ "abort_no_hardware_available": "Ingen radiomaskinvare koblet til deCONZ",
+ "abort_updated_instance": "Oppdatert deCONZ forekomst med ny vertsadresse",
+ "error_linking_not_possible": "Kunne ikke koble til gatewayen",
+ "error_no_key": "Kunne ikke få en API-nøkkel",
+ "link_with_deconz": "Koble til deCONZ",
+ "select_discovered_deconz_gateway": "Velg oppdaget deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "Tilstandsmal",
+ "template_binary_sensor": "Mal for binær sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Malsensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Mal for en binær sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Mal for en sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Malhjelper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "Denne enheten er ikke en zha -enhet",
+ "abort_usb_probe_failed": "Kunne ikke undersøke usb -enheten",
+ "invalid_backup_json": "Ugyldig sikkerhetskopiering JSON",
+ "choose_an_automatic_backup": "Velg en automatisk sikkerhetskopiering",
+ "restore_automatic_backup": "Gjenopprett automatisk sikkerhetskopiering",
+ "choose_formation_strategy_description": "Velg nettverksinnstillingene for radioen.",
+ "restore_an_automatic_backup": "Gjenopprette en automatisk sikkerhetskopiering",
+ "create_a_network": "Lag et nettverk",
+ "keep_radio_network_settings": "Behold innstillingene for radionettverk",
+ "upload_a_manual_backup": "Last opp en manuell sikkerhetskopiering",
+ "network_formation": "Nettverksdannelse",
+ "serial_device_path": "Bane til seriell enhet",
+ "select_a_serial_port": "Velg en seriell port",
+ "radio_type": "Radio type",
+ "manual_pick_radio_type_description": "Velg din Zigbee-radiotype",
+ "port_speed": "porthastighet",
+ "data_flow_control": "kontroll av dataflyt",
+ "manual_port_config_description": "Angi innstillingene for seriell port",
+ "serial_port_settings": "Innstillinger for seriell port",
+ "data_overwrite_coordinator_ieee": "Erstatt radio-IEEE-adressen permanent",
+ "overwrite_radio_ieee_address": "Overskriv radio IEEE-adresse",
+ "upload_a_file": "Last opp en fil",
+ "radio_is_not_recommended": "Radio ikke anbefalt",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Kalendernavn",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Kode kreves for tilkobling",
+ "zha_alarm_options_alarm_master_code": "Hovedkode for alarmens kontrollpanel(er)",
+ "alarm_control_panel_options": "Alternativer for alarmkontrollpanel",
+ "zha_options_consider_unavailable_battery": "Vurder batteridrevne enheter som utilgjengelige etter (sekunder)",
+ "zha_options_consider_unavailable_mains": "Tenk på strømnettet som ikke er tilgjengelig etter (sekunder)",
+ "zha_options_default_light_transition": "Standard lysovergangstid (sekunder)",
+ "zha_options_group_members_assume_state": "Gruppemedlemmer antar gruppestatus",
+ "zha_options_light_transitioning_flag": "Aktiver skyveknappen for forbedret lysstyrke under lysovergang",
+ "global_options": "Globale alternativer",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Antall nye forsøk",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "ugyldig URL",
+ "data_browse_unfiltered": "Vis inkompatible medier når du surfer",
+ "event_listener_callback_url": "URL for tilbakeringing av hendelseslytter",
+ "data_listen_port": "Hendelseslytterport (tilfeldig hvis den ikke er angitt)",
+ "poll_for_device_availability": "Avstemning for tilgjengelighet av enheter",
+ "init_title": "DLNA Digital Media Renderer -konfigurasjon",
"broker_options": "Megleralternativer",
"enable_birth_message": "Aktiver fødselsmelding",
"birth_message_payload": "Fødselsmelding nyttelast",
@@ -2617,13 +2767,44 @@
"will_message_topic": "Testament melding emne",
"data_description_discovery": "Option to enable MQTT automatic discovery.",
"mqtt_options": "MQTT-alternativer",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Tillat deCONZ CLIP-sensorer",
- "allow_deconz_light_groups": "Tillat deCONZ lys grupper",
- "data_allow_new_devices": "Tillat automatisk tilsetning av nye enheter",
- "deconz_devices_description": "Konfigurere synlighet av deCONZ enhetstyper",
- "deconz_options": "deCONZ alternativer",
+ "passive_scanning": "Passiv skanning",
+ "protocol": "Protokoll",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Språkkode",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2631,26 +2812,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "ugyldig URL",
- "data_browse_unfiltered": "Vis inkompatible medier når du surfer",
- "event_listener_callback_url": "URL for tilbakeringing av hendelseslytter",
- "data_listen_port": "Hendelseslytterport (tilfeldig hvis den ikke er angitt)",
- "poll_for_device_availability": "Avstemning for tilgjengelighet av enheter",
- "init_title": "DLNA Digital Media Renderer -konfigurasjon",
- "protocol": "Protokoll",
- "language_code": "Språkkode",
- "bluetooth_scanner_mode": "Bluetooth-skannermodus",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Antall nye forsøk",
+ "ignore_cec": "Ignorer CEC",
+ "allowed_uuids": "Tillatte UUIDer",
+ "advanced_google_cast_configuration": "Avansert Google Cast-konfigurasjon",
+ "allow_deconz_clip_sensors": "Tillat deCONZ CLIP-sensorer",
+ "allow_deconz_light_groups": "Tillat deCONZ lys grupper",
+ "data_allow_new_devices": "Tillat automatisk tilsetning av nye enheter",
+ "deconz_devices_description": "Konfigurere synlighet av deCONZ enhetstyper",
+ "deconz_options": "deCONZ alternativer",
"select_test_server": "Velg testserver",
- "toggle_entity_name": "Veksle {entity_name}",
- "turn_off_entity_name": "Skru av {entity_name}",
- "turn_on_entity_name": "Skru på {entity_name}",
- "entity_name_is_off": "{entity_name} er av",
- "entity_name_is_on": "{entity_name} er på",
- "trigger_type_changed_states": "{entity_name} skrudd på eller av",
- "entity_name_turned_off": "{entity_name} skrudd av",
- "entity_name_turned_on": "{entity_name} skrudd på",
+ "data_calendar_access": "Home Assistant tilgang til Google Kalender",
+ "bluetooth_scanner_mode": "Bluetooth-skannermodus",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Konfigurer ZHA på nytt",
+ "unplug_your_old_radio": "Koble fra den gamle radioen",
+ "intent_migrate_title": "Migrer til en ny radio",
+ "re_configure_the_current_radio": "Konfigurer gjeldende radio på nytt",
+ "migrate_or_re_configure": "Migrer eller rekonfigurer",
"current_entity_name_apparent_power": "Nåværende tilsynelatende kraft for {entity_name}",
"condition_type_is_aqi": "Gjeldende {entity_name} luftkvalitetsindeks",
"current_entity_name_area": "Current {entity_name} area",
@@ -2744,6 +3010,59 @@
"entity_name_water_changes": "{entity_name} vannforandringer",
"entity_name_weight_changes": "Vektendringer {entity_name}",
"entity_name_wind_speed_changes": "Vindhastighetendringer for {entity_name}",
+ "decrease_entity_name_brightness": "Reduser lysstyrken på {entity_name}",
+ "increase_entity_name_brightness": "Øk lysstyrken på {entity_name}",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Veksle {entity_name}",
+ "turn_off_entity_name": "Skru av {entity_name}",
+ "turn_on_entity_name": "Skru på {entity_name}",
+ "entity_name_is_off": "{entity_name} er av",
+ "entity_name_is_on": "{entity_name} er på",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} skrudd på eller av",
+ "entity_name_turned_off": "{entity_name} skrudd av",
+ "entity_name_turned_on": "{entity_name} skrudd på",
+ "set_value_for_entity_name": "Angi verdi for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} -oppdateringstilgjengeligheten er endret",
+ "entity_name_became_up_to_date": "{entity_name} ble oppdatert",
+ "trigger_type_update": "{entity_name} har en oppdatering tilgjengelig",
+ "first_button": "Første knapp",
+ "second_button": "Andre knapp",
+ "third_button": "Tredje knapp",
+ "fourth_button": "Fjerde knapp",
+ "fifth_button": "Femte knapp",
+ "sixth_button": "Sjette knapp",
+ "subtype_double_clicked": "\" {subtype} \" dobbeltklikket",
+ "subtype_continuously_pressed": "\" {subtype} \" kontinuerlig trykket",
+ "trigger_type_button_long_release": "\"{subtype}\" slipppes etter lang trykk",
+ "subtype_quadruple_clicked": "\" {subtype} \" firedoblet klikk",
+ "subtype_quintuple_clicked": "\" {subtype} \" femdobbelt klikket",
+ "subtype_pressed": "\" {subtype} \" trykket",
+ "subtype_released": "\" {subtype} \" slippes",
+ "subtype_triple_clicked": "\" {subtype} \" trippelklikket",
+ "entity_name_is_home": "{entity_name} er hjemme",
+ "entity_name_is_not_home": "{entity_name} er ikke hjemme",
+ "entity_name_enters_a_zone": "{entity_name} går inn i en sone",
+ "entity_name_leaves_a_zone": "{entity_name} forlater en sone",
+ "press_entity_name_button": "Trykk på {entity_name} -knappen",
+ "entity_name_has_been_pressed": "{entity_name} har blitt trykket",
+ "let_entity_name_clean": "La {entity_name} rengjøre",
+ "action_type_dock": "La {entity_name} returnere til dokken",
+ "entity_name_is_cleaning": "{entity_name} rengjør",
+ "entity_name_is_docked": "{entity_name} er dokket",
+ "entity_name_started_cleaning": "{entity_name} startet rengjøring",
+ "entity_name_docked": "{entity_name} dokket",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lås {entity_name}",
+ "open_entity_name": "Åpne {entity_name}",
+ "unlock_entity_name": "Lås opp {entity_name}",
+ "entity_name_is_locked": "{entity_name} er låst",
+ "entity_name_is_open": "{entity_name} er åpen",
+ "entity_name_is_unlocked": "{entity_name} er ulåst",
+ "entity_name_locked": "{entity_name} låst",
+ "entity_name_opened": "{entity_name} åpnet",
+ "entity_name_unlocked": "{entity_name} låst opp",
"action_type_set_hvac_mode": "Endre klima-modus på {entity_name}",
"change_preset_on_entity_name": "Endre modus på {entity_name}",
"hvac_mode": "HVAC-modus",
@@ -2751,8 +3070,20 @@
"entity_name_measured_humidity_changed": "{entity_name} målt luftfuktighet er endret",
"entity_name_measured_temperature_changed": "{entity_name} målt temperatur er endret",
"entity_name_hvac_mode_changed": "{entity_name} klima-modus er endret",
- "set_value_for_entity_name": "Angi verdi for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Lukk {entity_name}",
+ "close_entity_name_tilt": "Lukk {entity_name} tilt",
+ "open_entity_name_tilt": "Åpne {entity_name} tilt",
+ "set_entity_name_position": "Angi {entity_name} posisjon",
+ "set_entity_name_tilt_position": "Angi {entity_name} tilt posisjon",
+ "stop_entity_name": "Stopp {entity_name}",
+ "entity_name_is_closed": "{entity_name} er lukket",
+ "entity_name_closing": "{entity_name} lukker",
+ "entity_name_opening": "{entity_name} åpner",
+ "current_entity_name_position_is": "Nåværende {entity_name} posisjon er",
+ "condition_type_is_tilt_position": "Nåværende {entity_name} tilt posisjon er",
+ "entity_name_closed": "{entity_name} stengt",
+ "entity_name_position_changes": "{entity_name} posisjon endringer",
+ "entity_name_tilt_position_changes": "{entity_name} tilt posisjon endringer",
"entity_name_battery_is_low": "{entity_name} batterinivået er lavt",
"entity_name_charging": "{entity_name} lader",
"condition_type_is_co": "{entity_name} oppdager karbonmonoksid",
@@ -2761,7 +3092,6 @@
"entity_name_is_detecting_gas": "{entity_name} registrerer gass",
"entity_name_is_hot": "{entity_name} er varm",
"entity_name_is_detecting_light": "{entity_name} registrerer lys",
- "entity_name_is_locked": "{entity_name} er låst",
"entity_name_is_moist": "{entity_name} er fuktig",
"entity_name_is_detecting_motion": "{entity_name} registrerer bevegelse",
"entity_name_is_moving": "{entity_name} er i bevegelse",
@@ -2778,11 +3108,9 @@
"entity_name_is_not_cold": "{entity_name} er ikke kald",
"entity_name_is_disconnected": "{entity_name} er frakoblet",
"entity_name_is_not_hot": "{entity_name} er ikke varm",
- "entity_name_is_unlocked": "{entity_name} er låst opp",
"entity_name_is_dry": "{entity_name} er tørr",
"entity_name_is_not_moving": "{entity_name} er ikke i bevegelse",
"entity_name_is_not_occupied": "{entity_name} er ledig",
- "entity_name_is_closed": "{entity_name} er lukket",
"entity_name_is_unplugged": "{entity_name} er koblet fra",
"entity_name_is_not_powered": "{entity_name} er spenningsløs",
"entity_name_is_not_present": "{entity_name} er ikke tilstede",
@@ -2790,7 +3118,6 @@
"condition_type_is_not_tampered": "{entity_name} oppdager ikke manipulering",
"entity_name_is_safe": "{entity_name} er trygg",
"entity_name_is_occupied": "{entity_name} er opptatt",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} er koblet til",
"entity_name_is_powered": "{entity_name} er spenningssatt",
"entity_name_is_present": "{entity_name} er tilstede",
@@ -2809,7 +3136,6 @@
"entity_name_started_detecting_gas": "{entity_name} begynte å registrere gass",
"entity_name_became_hot": "{entity_name} ble varm",
"entity_name_started_detecting_light": "{entity_name} begynte å registrere lys",
- "entity_name_locked": "{entity_name} låst",
"entity_name_became_moist": "{entity_name} ble fuktig",
"entity_name_started_detecting_motion": "{entity_name} begynte å registrere bevegelse",
"entity_name_started_moving": "{entity_name} begynte å bevege seg",
@@ -2820,24 +3146,20 @@
"entity_name_stopped_detecting_problem": "{entity_name} sluttet å registrere problem",
"entity_name_stopped_detecting_smoke": "{entity_name} sluttet å registrere røyk",
"entity_name_stopped_detecting_sound": "{entity_name} sluttet å registrere lyd",
- "entity_name_became_up_to_date": "{entity_name} ble oppdatert",
"entity_name_stopped_detecting_vibration": "{entity_name} sluttet å registrere vibrasjon",
"entity_name_battery_normal": "{entity_name} batteri normalt",
"entity_name_became_not_cold": "{entity_name} ble ikke lenger kald",
"entity_name_unplugged": "{entity_name} koblet fra",
"entity_name_became_not_hot": "{entity_name} ble ikke lenger varm",
- "entity_name_unlocked": "{entity_name} låst opp",
"entity_name_became_dry": "{entity_name} ble tørr",
"entity_name_stopped_moving": "{entity_name} sluttet å bevege seg",
"entity_name_became_not_occupied": "{entity_name} ble ledig",
- "entity_name_closed": "{entity_name} lukket",
"entity_name_not_powered": "{entity_name} spenningsløs",
"entity_name_not_present": "{entity_name} ikke til stede",
"trigger_type_not_running": "{entity_name} kjører ikke lenger",
"entity_name_stopped_detecting_tampering": "{entity_name} sluttet å oppdage manipulering",
"entity_name_became_safe": "{entity_name} ble trygg",
"entity_name_became_occupied": "{entity_name} ble opptatt",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} koblet til",
"entity_name_powered": "{entity_name} spenningssatt",
"entity_name_present": "{entity_name} tilstede",
@@ -2845,46 +3167,16 @@
"entity_name_started_running": "{entity_name} begynte å kjøre",
"entity_name_started_detecting_smoke": "{entity_name} begynte å registrere røyk",
"entity_name_started_detecting_sound": "{entity_name} begynte å registrere lyd",
- "entity_name_started_detecting_tampering": "{entity_name} begynte å oppdage manipulering",
- "entity_name_became_unsafe": "{entity_name} ble usikker",
- "trigger_type_update": "{entity_name} har en oppdatering tilgjengelig",
- "entity_name_started_detecting_vibration": "{entity_name} begynte å oppdage vibrasjon",
- "entity_name_is_buffering": "{entity_name} bufre",
- "entity_name_is_idle": "{entity_name} er inaktiv",
- "entity_name_is_paused": "{entity_name} er satt på pause",
- "entity_name_is_playing": "{entity_name} spiller nå",
- "entity_name_starts_buffering": "{entity_name} starter bufring",
- "entity_name_becomes_idle": "{entity_name} blir inaktiv",
- "entity_name_starts_playing": "{entity_name} begynner å spille",
- "entity_name_is_home": "{entity_name} er hjemme",
- "entity_name_is_not_home": "{entity_name} er ikke hjemme",
- "entity_name_enters_a_zone": "{entity_name} går inn i en sone",
- "entity_name_leaves_a_zone": "{entity_name} forlater en sone",
- "decrease_entity_name_brightness": "Reduser lysstyrken på {entity_name}",
- "increase_entity_name_brightness": "Øk lysstyrken på {entity_name}",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} -oppdateringstilgjengeligheten er endret",
- "arm_entity_name_away": "Aktiver {entity_name} borte",
- "arm_entity_name_home": "Aktiver {entity_name} hjemme",
- "arm_entity_name_night": "Aktiver {entity_name} natt",
- "arm_entity_name_vacation": "{entity_name} ferie",
- "disarm_entity_name": "Deaktiver {entity_name}",
- "trigger_entity_name": "Utløser {entity_name}",
- "entity_name_is_armed_away": "{entity_name} er aktivert borte",
- "entity_name_is_armed_home": "{entity_name} er aktivert hjemme",
- "entity_name_is_armed_night": "{entity_name} er aktivert natt",
- "entity_name_is_armed_vacation": "{entity_name} er armert ferie",
- "entity_name_is_disarmed": "{entity_name} er deaktivert",
- "entity_name_is_triggered": "{entity_name} er utløst",
- "entity_name_armed_away": "{entity_name} aktivert borte",
- "entity_name_armed_home": "{entity_name} aktivert hjemme",
- "entity_name_armed_night": "{entity_name} aktivert natt",
- "entity_name_armed_vacation": "{entity_name} armert ferie",
- "entity_name_disarmed": "{entity_name} deaktivert",
- "entity_name_triggered": "{entity_name} utløst",
- "press_entity_name_button": "Trykk på {entity_name} -knappen",
- "entity_name_has_been_pressed": "{entity_name} har blitt trykket",
+ "entity_name_started_detecting_tampering": "{entity_name} begynte å oppdage manipulering",
+ "entity_name_became_unsafe": "{entity_name} ble usikker",
+ "entity_name_started_detecting_vibration": "{entity_name} begynte å oppdage vibrasjon",
+ "entity_name_is_buffering": "{entity_name} bufre",
+ "entity_name_is_idle": "{entity_name} er inaktiv",
+ "entity_name_is_paused": "{entity_name} er satt på pause",
+ "entity_name_is_playing": "{entity_name} spiller nå",
+ "entity_name_starts_buffering": "{entity_name} starter bufring",
+ "entity_name_becomes_idle": "{entity_name} blir inaktiv",
+ "entity_name_starts_playing": "{entity_name} begynner å spille",
"action_type_select_first": "Endre {entity_name} til det første alternativet",
"action_type_select_last": "Endre {entity_name} til siste alternativ",
"action_type_select_next": "Endre {entity_name} til neste alternativ",
@@ -2894,34 +3186,7 @@
"cycle": "Sykle",
"from": "From",
"entity_name_option_changed": "Alternativet {entity_name} er endret",
- "close_entity_name": "Lukk {entity_name}",
- "close_entity_name_tilt": "Lukk {entity_name} tilt",
- "open_entity_name": "Åpne {entity_name}",
- "open_entity_name_tilt": "Åpne {entity_name} tilt",
- "set_entity_name_position": "Angi {entity_name} posisjon",
- "set_entity_name_tilt_position": "Angi {entity_name} tilt posisjon",
- "stop_entity_name": "Stopp {entity_name}",
- "entity_name_closing": "{entity_name} lukker",
- "entity_name_opening": "{entity_name} åpner",
- "current_entity_name_position_is": "Nåværende {entity_name} posisjon er",
- "condition_type_is_tilt_position": "Nåværende {entity_name} tilt posisjon er",
- "entity_name_position_changes": "{entity_name} posisjon endringer",
- "entity_name_tilt_position_changes": "{entity_name} tilt posisjon endringer",
- "first_button": "Første knapp",
- "second_button": "Andre knapp",
- "third_button": "Tredje knapp",
- "fourth_button": "Fjerde knapp",
- "fifth_button": "Femte knapp",
- "sixth_button": "Sjette knapp",
- "subtype_double_clicked": "{subtype} dobbeltklikket",
- "subtype_continuously_pressed": "\" {subtype} \" kontinuerlig trykket",
- "trigger_type_button_long_release": "\"{subtype}\" slipppes etter lang trykk",
- "subtype_quadruple_clicked": "\" {subtype} \" firedoblet klikk",
- "subtype_quintuple_clicked": "\" {subtype} \" femdobbelt klikket",
- "subtype_pressed": "\" {subtype} \" trykket",
- "subtype_released": "\" {subtype} \" slippes",
- "subtype_triple_clicked": "{subtype} trippelklikket",
- "both_buttons": "Begge knappene",
+ "both_buttons": "Begge knapper",
"bottom_buttons": "Nederste knappene",
"seventh_button": "Syvende knapp",
"eighth_button": "Åttende knapp",
@@ -2939,19 +3204,12 @@
"trigger_type_remote_double_tap_any_side": "Enheten dobbeltklikket på alle sider",
"device_in_free_fall": "Enheten er i fritt fall",
"device_flipped_degrees": "Enheten er snudd 90 grader",
- "device_shaken": "Enhet er ristet",
+ "device_shaken": "Enhet ristet",
"trigger_type_remote_moved": "Enheten ble flyttet med \"{subtype}\" opp",
"trigger_type_remote_moved_any_side": "Enheten flyttet med hvilken som helst side opp",
"trigger_type_remote_rotate_from_side": "Enheten rotert fra \"side 6\" til \"{subtype}\"",
"device_turned_clockwise": "Enheten dreide med klokken",
"device_turned_counter_clockwise": "Enheten dreide mot klokken",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "La {entity_name} rengjøre",
- "action_type_dock": "La {entity_name} returnere til dokken",
- "entity_name_is_cleaning": "{entity_name} rengjør",
- "entity_name_is_docked": "{entity_name} er dokket",
- "entity_name_started_cleaning": "{entity_name} startet rengjøring",
- "entity_name_docked": "{entity_name} dokket",
"subtype_button_down": "{subtype}-knappen ned",
"subtype_button_up": "{subtype} -knappen opp",
"subtype_double_push": "{subtype} dobbelt trykk",
@@ -2962,29 +3220,54 @@
"trigger_type_single_long": "{subtype} enkeltklikket og deretter et lengre klikk",
"subtype_single_push": "{subtype} enkelt trykk",
"subtype_triple_push": "{subtype} trippeltrykk",
- "lock_entity_name": "Lås {entity_name}",
- "unlock_entity_name": "Lås opp {entity_name}",
+ "arm_entity_name_away": "Aktiver {entity_name} borte",
+ "arm_entity_name_home": "Aktiver {entity_name} hjemme",
+ "arm_entity_name_night": "Aktiver {entity_name} natt",
+ "arm_entity_name_vacation": "{entity_name} ferie",
+ "disarm_entity_name": "Deaktiver {entity_name}",
+ "trigger_entity_name": "Utløser {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} er aktivert borte",
+ "entity_name_is_armed_home": "{entity_name} er aktivert hjemme",
+ "entity_name_is_armed_night": "{entity_name} er aktivert natt",
+ "entity_name_is_armed_vacation": "{entity_name} er armert ferie",
+ "entity_name_is_disarmed": "{entity_name} er deaktivert",
+ "entity_name_is_triggered": "{entity_name} er utløst",
+ "entity_name_armed_away": "{entity_name} aktivert borte",
+ "entity_name_armed_home": "{entity_name} aktivert hjemme",
+ "entity_name_armed_night": "{entity_name} aktivert natt",
+ "entity_name_armed_vacation": "{entity_name} armert ferie",
+ "entity_name_disarmed": "{entity_name} deaktivert",
+ "entity_name_triggered": "{entity_name} utløst",
+ "action_type_issue_all_led_effect": "Utstedelseseffekt for alle lysdioder",
+ "action_type_issue_individual_led_effect": "Utstedelseseffekt for individuell LED",
+ "squawk": "Squawk",
+ "warn": "Advare",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "Med ansikt 6 aktivert",
+ "with_any_specified_face_s_activated": "Med alle/angitte ansikt(er) aktivert",
+ "device_dropped": "Enhet droppet",
+ "device_flipped_subtype": "Enheten snudd \"{subtype}\"",
+ "device_knocked_subtype": "Enheten slått \"{subtype}\"",
+ "device_offline": "Enheten er frakoblet",
+ "device_rotated_subtype": "Enheten roterte \"{subtype}\"",
+ "device_slid_subtype": "Enheten skled \"{subtype}\"",
+ "device_tilted": "Enheten skråstilt",
+ "trigger_type_remote_button_alt_double_press": "\" {subtype} \" dobbeltklikket (alternativ modus)",
+ "trigger_type_remote_button_alt_long_press": "\" {subtype} \" kontinuerlig trykket (alternativ modus)",
+ "trigger_type_remote_button_alt_long_release": "\" {subtype} \" slippes etter lang trykk (alternativ modus)",
+ "trigger_type_remote_button_alt_quadruple_press": "\" {subtype} \" firedoblet klikk (alternativ modus)",
+ "trigger_type_remote_button_alt_quintuple_press": "\" {subtype} \" femdobbelt klikket (alternativ modus)",
+ "subtype_pressed_alternate_mode": "\" {subtype} \" trykket (alternativ modus)",
+ "subtype_released_alternate_mode": "\" {subtype} \" slippes (alternativ modus)",
+ "trigger_type_remote_button_alt_triple_press": "\" {subtype} \" trippelklikket (alternativ modus)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "Ingen måleenhet",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passiv",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3114,52 +3397,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "Målverdien.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Setter datoen og/eller tiden.",
- "the_target_date": "Måldatoen.",
- "datetime_description": "Målverdien for dato og tid.",
- "date_time": "Dato & tid",
- "the_target_time": "Måltiden.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Sletter en dynamisk opprettet scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passiv",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "Ingen måleenhet",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3176,6 +3429,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3186,102 +3440,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Sjekk konfigurasjon",
- "reload_all": "Last alt på nytt",
- "reload_config_entry_description": "Laster inn oppgitt konfigurasjonsoppføring på nytt.",
- "config_entry_id": "Konfigurasjonsoppføring-id",
- "reload_config_entry": "Last inn konfigurasjonsoppføring på nytt",
- "reload_core_config_description": "Laster inn kjernekonfigurasjonen fra YAML-konfigurasjonen på nytt.",
- "reload_core_configuration": "Last inn kjernekonfigurasjon på nytt",
- "reload_custom_jinja_templates": "Last inn tilpassede Jinja2-maler på nytt",
- "restarts_home_assistant": "Omstarter Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Lagre persisterte tilstander",
- "set_location_description": "Oppdaterer posisjonen til Home Assistant.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Breddegrad for din posisjon.",
- "longitude_of_your_location": "Lengdegrad for din posisjon.",
- "set_location": "Set plassering",
- "stops_home_assistant": "Stopper Home Assistant.",
- "generic_toggle": "Generell veksling",
- "generic_turn_off": "Generell skru av",
- "generic_turn_on": "Generell skru på",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Oppdater entitet",
- "turns_auxiliary_heater_on_off": "Skrur tilleggsvarmer av/på.",
- "aux_heat_description": "Navn på tilleggsvarmer.",
- "auxiliary_heating": "Tilleggsvarme",
- "turn_on_off_auxiliary_heater": "Slå av/på tilleggsvarmer",
- "sets_fan_operation_mode": "Setter driftsmodus for vifte.",
- "fan_operation_mode": "Driftsmodus for vifte.",
- "set_fan_mode": "Sett viftemodus",
- "sets_target_humidity": "Setter mål for luftfuktighet.",
- "set_target_humidity": "Sett mål for luftfuktighet",
- "sets_hvac_operation_mode": "Setter driftsmodus for HVAC.",
- "hvac_operation_mode": "Driftsmodus for HVAC.",
- "set_hvac_mode": "Sett driftsmodus for HVAC",
- "sets_preset_mode": "Setter forhåndsinnstilt modus.",
- "set_preset_mode": "Sett forhåndsinnstilt modus",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Setter driftsmodus for svinging.",
- "swing_operation_mode": "Driftsmodus for svinging.",
- "set_swing_mode": "Sett svingemodus",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set måltemperatur",
- "turns_climate_device_off": "Slår av klimaenheten.",
- "turns_climate_device_on": "Slår på klimaenheten.",
- "decrement_description": "Senker den nåværende verdien med 1 steg.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Nivå",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3290,30 +3453,73 @@
"hue_sat_color": "Hue/Sat color",
"color_temperature_in_kelvin": "Color temperature in Kelvin.",
"profile_description": "Name of a light profile to use.",
- "rgbw_color": "RGBW-color",
- "rgbww_color": "RGBWW-color",
- "white_description": "Set the light to white mode.",
- "xy_color": "XY-color",
- "brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "create_event_description": "Legger til en ny kalenderhendelse.",
- "location_description": "Sted for arrangementet.",
- "create_event": "Opprett hendelse",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "rgbw_color": "RGBW-color",
+ "rgbww_color": "RGBWW-color",
+ "white_description": "Set the light to white mode.",
+ "xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
+ "brightness_step_description": "Change brightness by an amount.",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Veksler hjelperen av/på.",
+ "turns_off_the_helper": "Skrur av hjelperen.",
+ "turns_on_the_helper": "Skrur på hjelperen.",
+ "pauses_the_mowing_task": "Pauser gressklippingen.",
+ "starts_the_mowing_task": "Starter gressklippingen.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Setter verdien.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Sett verdi",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Kodespor",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Argumenter som sendes til kommandoen.",
+ "args": "Args",
+ "cluster_id_description": "ZCL-klynge å hente attributter for.",
+ "cluster_id": "Klynge-id",
+ "cluster_type": "Klyngetype",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endepunkts-id for klyngen.",
+ "endpoint_id": "Endepunkts-id",
+ "ieee_description": "IEEE-adressen til enheten.",
+ "ieee": "IEEE",
+ "manufacturer": "Produsent",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3339,27 +3545,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Viftens hastighet.",
+ "percentage": "Prosentandel",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Forhåndsinnstilt modus.",
+ "set_preset_mode": "Sett forhåndsinnstilt modus",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Setter datoen og/eller tiden.",
+ "the_target_date": "Måldatoen.",
+ "datetime_description": "Målverdien for dato og tid.",
+ "date_time": "Dato & tid",
+ "the_target_time": "Måltiden.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Sletter en dynamisk opprettet scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Laster inn temaer fra YAML-konfigurasjonen på nytt.",
"reload_themes": "Last inn temaer på nytt",
"name_of_a_theme": "Navn på et tema.",
"set_the_default_theme": "Sett standardtema",
+ "decrement_description": "Senker den nåværende verdien med 1 steg.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Sjekk konfigurasjon",
+ "reload_all": "Last alt på nytt",
+ "reload_config_entry_description": "Laster inn oppgitt konfigurasjonsoppføring på nytt.",
+ "config_entry_id": "Konfigurasjonsoppføring-id",
+ "reload_config_entry": "Last inn konfigurasjonsoppføring på nytt",
+ "reload_core_config_description": "Laster inn kjernekonfigurasjonen fra YAML-konfigurasjonen på nytt.",
+ "reload_core_configuration": "Last inn kjernekonfigurasjon på nytt",
+ "reload_custom_jinja_templates": "Last inn tilpassede Jinja2-maler på nytt",
+ "restarts_home_assistant": "Omstarter Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Lagre persisterte tilstander",
+ "set_location_description": "Oppdaterer posisjonen til Home Assistant.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Breddegrad for din posisjon.",
+ "longitude_of_your_location": "Lengdegrad for din posisjon.",
+ "set_location": "Set plassering",
+ "stops_home_assistant": "Stopper Home Assistant.",
+ "generic_toggle": "Generell veksling",
+ "generic_turn_off": "Generell skru av",
+ "generic_turn_on": "Generell skru på",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Oppdater entitet",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Emne til å lytte på.",
+ "topic": "Emne",
+ "export": "Eksport",
+ "publish_description": "Publiserer en melding til et MQTT-emne.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "Nyttelasten som skal publiseres.",
+ "payload": "Nyttelast",
+ "payload_template": "Mal for nyttelast",
+ "qos": "QoS",
+ "retain": "Bevar",
+ "topic_to_publish_to": "Emne for publisering.",
+ "publish": "Publiser",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Hent værvarsel.",
+ "type_description": "Værvarselstype: daglig, timebasert eller to ganger daglig.",
+ "forecast_type": "Værvarselstype",
+ "get_forecast": "Hent værvarsel",
+ "get_weather_forecasts": "Hent værvarsler.",
+ "get_forecasts": "Hent værvarsler",
+ "press_the_button_entity": "Trykk på knappen.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Varslings-id",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filnavn",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Hurtiglager",
"language_description": "Language of text. Defaults to server language.",
"options_description": "En ordbok som inneholder integrasjonsspesifikke alternativer.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Snakk",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Veksler hjelperen av/på.",
- "turns_off_the_helper": "Skrur av hjelperen.",
- "turns_on_the_helper": "Skrur på hjelperen.",
- "pauses_the_mowing_task": "Pauser gressklippingen.",
- "starts_the_mowing_task": "Starter gressklippingen.",
+ "send_text_command": "Send text command",
+ "the_target_value": "Målverdien.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Kode til å skru på alarmen.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Utløser",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Skrur tilleggsvarmer av/på.",
+ "aux_heat_description": "Navn på tilleggsvarmer.",
+ "auxiliary_heating": "Tilleggsvarme",
+ "turn_on_off_auxiliary_heater": "Slå av/på tilleggsvarmer",
+ "sets_fan_operation_mode": "Setter driftsmodus for vifte.",
+ "fan_operation_mode": "Driftsmodus for vifte.",
+ "set_fan_mode": "Sett viftemodus",
+ "sets_target_humidity": "Setter mål for luftfuktighet.",
+ "set_target_humidity": "Sett mål for luftfuktighet",
+ "sets_hvac_operation_mode": "Setter driftsmodus for HVAC.",
+ "hvac_operation_mode": "Driftsmodus for HVAC.",
+ "set_hvac_mode": "Sett driftsmodus for HVAC",
+ "sets_preset_mode": "Setter forhåndsinnstilt modus.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Setter driftsmodus for svinging.",
+ "swing_operation_mode": "Driftsmodus for svinging.",
+ "set_swing_mode": "Sett svingemodus",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set måltemperatur",
+ "turns_climate_device_off": "Slår av klimaenheten.",
+ "turns_climate_device_on": "Slår på klimaenheten.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Omstarter et tillegg.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3397,40 +3884,6 @@
"restore_partial_description": "Gjenoppretter fra en delvis sikkerhetskopi.",
"restores_home_assistant": "Gjenoppretter Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Viftens hastighet.",
- "percentage": "Prosentandel",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Forhåndsinnstilt modus.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Hent værvarsel.",
- "type_description": "Værvarselstype: daglig, timebasert eller to ganger daglig.",
- "forecast_type": "Værvarselstype",
- "get_forecast": "Hent værvarsel",
- "get_weather_forecasts": "Hent værvarsler.",
- "get_forecasts": "Hent værvarsler",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Aktiver med tilpasset overstyring",
- "alarm_arm_vacation_description": "Setter alarmen til: _aktivert for ferie_.",
- "disarms_the_alarm": "Deaktiverer alarmen.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Velger det første alternativet.",
"first": "Først",
"selects_the_last_option": "Velger det siste alternativet.",
@@ -3438,77 +3891,16 @@
"selects_an_option": "Velger et alternativ.",
"option_to_be_selected": "Alternativ som velges.",
"selects_the_previous_option": "Velger det forrige alternativet.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filnavn",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Trykk på knappen.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "Datoen heldagsarrangementet skal starte.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Velger det neste alternativ.",
- "sets_the_options": "Setter alternativene.",
- "list_of_options": "Liste av alternativer.",
- "set_options": "Sett alternativer",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Sett verdi",
- "topic_to_listen_to": "Emne til å lytte på.",
- "topic": "Emne",
- "export": "Eksport",
- "publish_description": "Publiserer en melding til et MQTT-emne.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "Nyttelasten som skal publiseres.",
- "payload": "Nyttelast",
- "payload_template": "Mal for nyttelast",
- "qos": "QoS",
- "retain": "Bevar",
- "topic_to_publish_to": "Emne for publisering.",
- "publish": "Publiser",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3517,83 +3909,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Varslings-id",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Velger det neste alternativ.",
+ "sets_the_options": "Setter alternativene.",
+ "list_of_options": "Liste av alternativer.",
+ "set_options": "Sett alternativer",
+ "arm_with_custom_bypass": "Aktiver med tilpasset overstyring",
+ "alarm_arm_vacation_description": "Setter alarmen til: _aktivert for ferie_.",
+ "disarms_the_alarm": "Deaktiverer alarmen.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/nl/nl.json b/packages/core/src/hooks/useLocale/locales/nl/nl.json
index 173d7660..c31299d1 100644
--- a/packages/core/src/hooks/useLocale/locales/nl/nl.json
+++ b/packages/core/src/hooks/useLocale/locales/nl/nl.json
@@ -23,8 +23,8 @@
"pend": "Afwachten",
"arming": "Schakelt in",
"trig": "Actief",
- "home": "Thuis",
- "away": "Afwezig",
+ "home": "Home",
+ "away": "Away",
"owner": "Eigenaar",
"administrators": "Beheerders",
"users": "Gebruikers",
@@ -69,24 +69,24 @@
"action_to_target": "{action} tot doel",
"target": "Bestemming",
"humidity_target": "Vochtigheidsdoel",
- "increment": "Verhoging",
+ "increment": "Verhogen",
"decrement": "Verlagen",
"reset": "Resetten",
- "position": "Positie",
+ "position": "Position",
"tilt_position": "Kantelpositie",
"open_cover": "Open bedekking",
"close_cover": "Sluit bedekking",
"open_cover_tilt": "Open bedekking kanteling",
"close_cover_tilt": "Sluit bedekking kanteling",
"stop_cover": "Stop bedekking",
- "preset_mode": "Vooraf ingestelde modus",
+ "preset_mode": "Vooraf ingestelde mode",
"oscillate": "Oscilleer",
"direction": "Richting",
"forward": "Vooruit",
"reverse": "Omkeren",
"medium": "Gemiddeld",
"target_humidity": "Doel luchtvochtigheid",
- "state": "Status",
+ "state": "State",
"name_target_humidity": "{name}-doelluchtvochtigheid",
"name_current_humidity": "{name} huidige luchtvochtigheid",
"name_humidifying": "{name} bevochtigen",
@@ -216,9 +216,10 @@
"required": "Vereist",
"copied": "Gekopieerd",
"copied_to_clipboard": "Gekopieerd naar het klembord",
- "name": "Naam",
+ "name": "Name",
"optional": "optioneel",
"default": "Standaard",
+ "ui_common_dont_save": "Niet opslaan",
"select_media_player": "Selecteer mediaspeler",
"media_browse_not_supported": "De mediaspeler ondersteunt het doorbladeren van media niet.",
"pick_media": "Media kiezen",
@@ -238,7 +239,7 @@
"selector_options": "Selector opties",
"action": "Actie",
"area": "Area",
- "attribute": "Kenmerk",
+ "attribute": "Attribuut",
"boolean": "Boolean",
"condition": "Conditie",
"date": "Datum",
@@ -260,6 +261,7 @@
"learn_more_about_templating": "Leer meer over sjablonen.",
"show_password": "Toon wachtwoord",
"hide_password": "Verberg wachtwoord",
+ "ui_components_selectors_background_yaml_info": "Achtergrondafbeelding is ingesteld via yaml-editor.",
"no_logbook_events_found": "Geen logboekvermeldingen gevonden.",
"triggered_by": "getriggerd door",
"triggered_by_automation": "getriggerd door automatisering",
@@ -348,7 +350,7 @@
"conversation_agent": "Gespreksagent",
"none": "Geen",
"country": "Land",
- "assistant": "Assistent-pipeline",
+ "assistant": "Assistant",
"preferred_assistant_preferred": "Voorkeursassistent ({preferred})",
"last_used_assistant": "Laatst gebruikte assistent",
"no_theme": "Geen thema",
@@ -390,6 +392,7 @@
"no_matching_areas_found": "Geen overeenkomende ruimtes gevonden",
"unassigned_areas": "Niet-toegewezen ruimtes",
"failed_to_create_area": "Kan ruimte niet maken.",
+ "ui_components_area_picker_add_dialog_name": "Naam",
"ui_components_area_picker_add_dialog_text": "Voer de naam van de nieuwe ruimte in.",
"ui_components_area_picker_add_dialog_title": "Nieuwe ruimte toevoegen",
"show_floors": "Toon verdiepingen",
@@ -462,7 +465,7 @@
"black": "Zwart",
"white": "White",
"ui_components_color_picker_default_color": "Standaardkleur (status)",
- "start_date": "Begindatum",
+ "start_date": "Startdatum",
"end_date": "Einddatum",
"select_time_period": "Selecteer tijdsperiode",
"today": "Vandaag",
@@ -484,8 +487,8 @@
"unable_to_load_history": "Kan geschiedenis niet laden",
"source_history": "Bron: Geschiedenis",
"source_long_term_statistics": "Bron: Langetermijnstatistieken",
- "history_charts_zoom_hint": "Gebruik ctrl + scroll om in/uit te zoomen",
- "history_charts_zoom_hint_mac": "Gebruik ⌘ + scroll om in/uit te zoomen",
+ "history_charts_zoom_hint": "Gebruik ctrl + scrollen om in/uit te zoomen",
+ "history_charts_zoom_hint_mac": "Gebruik ⌘ + scrollen om in/uit te zoomen",
"reset_zoom": "Reset zoom",
"unable_to_load_map": "De kaart kan niet worden geladen",
"loading_statistics": "Statistieken laden…",
@@ -565,7 +568,7 @@
"url": "URL",
"video": "Video",
"media_browser_media_player_unavailable": "De geselecteerde mediaspeler is niet beschikbaar",
- "auto": "Automatisch",
+ "auto": "Auto",
"grid": "Raster",
"list": "Lijst",
"task_name": "Taaknaam",
@@ -641,8 +644,9 @@
"line_line_column_column": "regel: {line}, kolom: {column}",
"last_changed": "Laatst gewijzigd",
"last_updated": "Laatst bijgewerkt",
- "remaining_time": "Resterende tijd",
+ "time_left": "Resterende tijd",
"install_status": "Installatiestatus",
+ "ui_components_multi_textfield_add_item": "Voeg {item} toe",
"safe_mode": "Veilige modus",
"all_yaml_configuration": "Alle YAML-configuraties",
"domain": "Domein",
@@ -682,7 +686,7 @@
"reload": "Herladen",
"navigate": "Navigeer",
"server": "Server",
- "logs": "Logs",
+ "logs": "Logboeken",
"integrations": "Integraties",
"helpers": "Helpers",
"tags": "Tags",
@@ -747,6 +751,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Maak een back-up voor het updaten",
"update_instructions": "Instructies bijwerken",
"current_activity": "Huidige activiteit",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Stofzuiger opdrachten:",
"fan_speed": "Ventilatorsnelheid",
"clean_spot": "Maak plek schoon",
@@ -781,7 +786,7 @@
"default_code": "Standaardcode",
"editor_default_code_error": "Code komt niet overeen met codeformaat",
"entity_id": "Entiteits-ID",
- "unit_of_measurement": "Meeteenheid",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "Neerslag eenheid",
"display_precision": "Precisie weergeven",
"default_value": "Standaard ( {value} )",
@@ -802,7 +807,7 @@
"cold": "Koude",
"connectivity": "Connectiviteit",
"gas": "Gas",
- "heat": "Warmte",
+ "heat": "Verwarmen",
"light": "Licht",
"moisture": "Vocht",
"motion": "Beweging",
@@ -836,7 +841,7 @@
"this_entity_is_disabled": "Deze entiteit is uitgeschakeld",
"open_device_settings": "Open de apparaatinstellingen",
"use_device_area": "Ruimte van apparaat gebruiken",
- "editor_change_device_settings": "Je kan de {link} in de apparaat instellingen",
+ "editor_change_device_settings": "Je kunt de {link} in de apparaat instellingen",
"change_the_device_area": "ruimte van het apparaat wijzigen",
"integration_options": "{integration} opties",
"specific_settings_for_integration": "Specifieke opties voor {integration}",
@@ -864,7 +869,7 @@
"more_info_about_entity": "Meer info over entiteit",
"restart_home_assistant": "Home Assistant herstarten?",
"advanced_options": "Advanced options",
- "reload_description": "Herlaadt alle beschikbare scripts.",
+ "reload_description": "Herlaadt timers vanaf de YAML-configuratie.",
"reloading_configuration": "Configuratie herladen",
"failed_to_reload_configuration": "Kan de configuratie niet opnieuw laden",
"restart_description": "Onderbreekt alle lopende automatiseringen en scripts.",
@@ -895,8 +900,8 @@
"password": "Password",
"regex_pattern": "Regex-patroon",
"used_for_client_side_validation": "Gebruikt voor client-side validatie",
- "minimum_value": "Minimumwaarde",
- "maximum_value": "Maximumwaarde",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"box": "Invoerveld",
"slider": "Schuifregelaar",
"step": "Stapgrootte",
@@ -915,7 +920,7 @@
"system_options_for_integration": "Systeeminstellingen voor {integration}",
"enable_newly_added_entities": "Voeg nieuwe entiteiten automatisch toe",
"enable_polling_for_changes": "Polling voor wijzigingen inschakelen",
- "reconfiguring_device": "Apparaat opnieuw configureren",
+ "reconfigure_device": "Apparaat opnieuw configureren",
"configuring": "Configureren",
"start_reconfiguration": "Start herconfiguratie",
"device_reconfiguration_complete": "Herconfiguratie van apparaat voltooid.",
@@ -941,7 +946,7 @@
"ui_dialogs_zha_device_info_confirmations_remove": "Weet je zeker dat je het apparaat wil verwijderen?",
"quirk": "Eigenaardigheid",
"last_seen": "Laatst gezien",
- "power_source": "Stroombron",
+ "power_source": "Power source",
"change_device_name": "Wijzig apparaatnaam",
"device_debug_info": "{device}-foutopsporingsgegevens",
"mqtt_device_debug_info_deserialize": "Probeer MQTT-berichten als JSON te lezen",
@@ -1186,7 +1191,7 @@
"background_repeat": "Achtergrond herhalen",
"repeat_tile": "Herhalen (tegel)",
"background_attachment": "Achtergrondbijlage",
- "scroll": "Scroll",
+ "scroll": "Scrollen",
"fixed": "Vast",
"ui_panel_lovelace_editor_edit_view_background_title": "Achtergrond aan de weergave toevoegen",
"ui_panel_lovelace_editor_edit_view_background_transparency": "Achtergrondtransparantie",
@@ -1216,7 +1221,7 @@
"ui_panel_lovelace_editor_edit_view_type_warning_others": "De weergave kan niet gewijzigd worden naar een ander type omdat de migratie nog niet wordt ondersteund. Begin helemaal opnieuw met een nieuwe weergave als je een ander weergavetype wilt gebruiken.",
"card_configuration": "Kaartconfiguratie",
"type_card_configuration": "{type} Kaartconfiguratie",
- "edit_card_pick_card": "Welke kaart wil je toevoegen?",
+ "edit_card_pick_card": "Which card would you like to add?",
"toggle_editor": "Editor wisselen",
"you_have_unsaved_changes": "U heeft niet-opgeslagen wijzigingen",
"edit_card_confirm_cancel": "Weet je zeker dat je wil afbreken?",
@@ -1326,7 +1331,7 @@
"web_link": "Weblink",
"buttons": "Knoppen",
"cast": "Cast",
- "button": "Knop",
+ "button": "Drukknop",
"entity_filter": "Entiteitenfilter",
"secondary_information": "Secundaire informatie",
"gauge": "Graadmeter",
@@ -1380,8 +1385,8 @@
"show_state": "Status weergeven",
"tap_behavior": "Tik gedrag",
"interactions": "Interacties",
- "secondary_info_attribute": "Secundairinfo-attribuut",
- "show_state_color": "Pictogrammen kleuren op basis van status",
+ "secondary_info_attribute": "Secundaire info-attribuut",
+ "show_state_color": "Kleur van status weergeven",
"suggested_cards": "Voorgestelde kaarten",
"other_cards": "Andere kaarten",
"custom_cards": "Custom kaarten",
@@ -1420,6 +1425,11 @@
"show_more_detail": "Laat meer details zien",
"to_do_list": "Takenlijst",
"hide_completed_items": "Voltooide items verbergen",
+ "ui_panel_lovelace_editor_card_todo_list_display_order": "Weergavevolgorde",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc": "Alfabetisch (A-Z)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_desc": "Alfabetisch (Z-A)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc": "Vervaldatum (eerste eerst)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc": "Vervaldatum (laatste eerst)",
"thermostat": "Thermostaat",
"thermostat_show_current_as_primary": "Toon de huidige temperatuur als eerste",
"tile": "Tegel",
@@ -1429,6 +1439,7 @@
"hide_state": "Verberg status",
"ui_panel_lovelace_editor_card_tile_actions": "Acties",
"ui_panel_lovelace_editor_card_tile_default_color": "Standaardkleur (staat)",
+ "ui_panel_lovelace_editor_card_tile_state_content_options_state": "Status",
"vertical_stack": "Verticale stapel",
"weather_forecast": "Weersverwachting",
"weather_to_show": "Weer om te tonen",
@@ -1532,140 +1543,119 @@
"now": "Nu",
"compare_data": "Gegevens vergelijken",
"reload_ui": "Herlaad UI",
- "tag": "Tag",
- "input_datetime": "Voer datum en tijd in",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Lokale agenda",
- "intent": "Intent",
- "device_tracker": "Apparaattracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Boolean invoer",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "tag": "Tag",
+ "media_source": "Media Source",
+ "mobile_app": "Mobiele app",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostiek",
+ "filesize": "Bestandsgrootte",
+ "group": "Groep",
+ "binary_sensor": "Binaire sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Invoer selectie",
+ "device_automation": "Device Automation",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Ventilator",
- "weather": "Weer",
- "camera": "Camera",
+ "scene": "Scene",
"schedule": "Schema",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automatisering",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weer",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversatie",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Tekstinvoer",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Klimaat",
- "binary_sensor": "Binaire sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automatisering",
+ "system_log": "System Log",
+ "cover": "Raambekleding",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Raambekleding",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Lokale agenda",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Sirene",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Grasmaaier",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Gebeurtenis",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Apparaattracker",
+ "remote": "Afstandsbediening",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Schakelaar",
+ "persistent_notification": "Blijvende melding",
+ "vacuum": "Stofzuiger",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Blijvende melding",
- "trace": "Trace",
- "remote": "Afstandsbediening",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Teller",
- "filesize": "Bestandsgrootte",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Voeding Checker",
+ "conversation": "Conversatie",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Klimaat",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Boolean invoer",
- "lawn_mower": "Grasmaaier",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Gebeurtenis",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarmbedieningspaneel",
- "input_select": "Invoer selectie",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobiele app",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Schakelaar",
+ "input_datetime": "Voer datum en tijd in",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Teller",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Applicatie inloggegevens",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Groep",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostiek",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Tekstinvoer",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Applicatie inloggegevens",
- "siren": "Sirene",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Stofzuiger",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Voeding Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Batterijniveau",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Verdiepingen",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Stappen",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1689,11 +1679,12 @@
"temperature_offset": "Temperature offset",
"tilt_degrees": "Tilt degrees",
"alarm_sound": "Alarm sound",
- "alarm_volume": "Alarm volume",
+ "alarm_volume": "Alarmvolume",
"light_preset": "Light preset",
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Batterijniveau",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Totaal verbruik",
@@ -1710,38 +1701,25 @@
"last_water_leak_alert": "Last water leak alert",
"auto_off_enabled": "Auto off enabled",
"auto_update_enabled": "Auto update enabled",
- "baby_cry_detection": "Baby cry detection",
+ "baby_cry_detection": "Huildetectie",
"child_lock": "Kinderslot",
"fan_sleep_mode": "Fan sleep mode",
"led": "LED",
"motion_detection": "Bewegingsdetectie",
- "person_detection": "Person detection",
+ "person_detection": "Persoonsdetectie",
"motion_sensor": "Bewegingssensor",
"smooth_transitions": "Soepele overgangen",
- "tamper_detection": "Tamper detection",
- "next_dawn": "Volgende dageraad",
- "next_dusk": "Volgende schemering",
- "next_midnight": "Volgende middernacht",
- "next_noon": "Volgende middag",
- "next_rising": "Volgende opkomst",
- "next_setting": "Volgende ondergang",
- "solar_azimuth": "Azimut zon",
- "solar_elevation": "Elevatie zon",
- "solar_rising": "Zonne-energie toename",
- "day_of_week": "Dag van de week",
- "noise": "Noise",
- "overload": "Overbelast",
- "working_location": "Werkplek",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energieverbruik",
- "compressor_estimated_power_consumption": "Compressor geschat energieverbruik",
- "compressor_frequency": "Compressorfrequentie",
- "cool_energy_consumption": "Koelen energieverbruik",
- "heat_energy_consumption": "Warmte energieverbruik",
- "inside_temperature": "Binnentemperatuur",
- "outside_temperature": "Buitentemperatuur",
+ "tamper_detection": "Sabotagedetectie",
+ "calibration": "Kalibratie",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Time-out",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Lichtsterkte",
+ "wi_fi_signal": "Wi-Fi signaal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Proces {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1763,46 +1741,86 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist actief",
- "preferred": "Voorkeur",
- "finished_speaking_detection": "Klaar met spraakdetectie",
- "aggressive": "Agressief",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent-versie",
- "apparmor_version": "Apparmor-versie",
- "cpu_percent": "CPU-percentage",
- "disk_free": "Schijfruimte vrij",
- "disk_total": "Schijfruimte totaal",
- "disk_used": "Schijfruimte gebruikt",
- "memory_percent": "Geheugenpercentage",
- "version": "Versie",
- "newest_version": "Nieuwste versie",
+ "day_of_week": "Dag van de week",
+ "noise": "Noise",
+ "overload": "Overbelast",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Verdiepingen",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Stappen",
"synchronize_devices": "Apparaten synchroniseren",
- "estimated_distance": "Geschatte afstand",
- "vendor": "Leverancier",
- "quiet": "Stil",
- "wake_word": "Wekwoord",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Laatste opname",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Deurbel volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Uit",
- "mute": "Dempen",
+ "voice_volume": "Voice volume",
+ "last_activity": "Laatste activiteit",
+ "last_ding": "Last ding",
+ "last_motion": "Laatste beweging",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energieverbruik",
+ "compressor_estimated_power_consumption": "Compressor geschat energieverbruik",
+ "compressor_frequency": "Compressorfrequentie",
+ "cool_energy_consumption": "Koelen energieverbruik",
+ "heat_energy_consumption": "Warmte energieverbruik",
+ "inside_temperature": "Binnentemperatuur",
+ "outside_temperature": "Buitentemperatuur",
+ "device_admin": "Apparaatbeheerder",
+ "kiosk_mode": "Kioskmodus",
+ "plugged_in": "Ingeplugd",
+ "load_start_url": "Start URL laden",
+ "restart_browser": "Herstart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Naar achtergrond sturen",
+ "bring_to_foreground": "Naar de voorgrond halen",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Schermhelderheid",
+ "screen_off_timer": "Scherm uit timer",
+ "screensaver_brightness": "Helderheid screensaver",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Huidige pagina",
+ "foreground_app": "Voorgrond-app",
+ "internal_storage_free_space": "Interne opslag vrije ruimte",
+ "internal_storage_total_space": "Interne opslag totale ruimte",
+ "free_memory": "Vrij geheugen",
+ "total_memory": "Totaal geheugen",
+ "screen_orientation": "Schermoriëntatie",
+ "kiosk_lock": "Kiosk vergrendeling",
+ "maintenance_mode": "Onderhoudsmodus",
+ "screensaver": "Screensaver",
"animal": "Dier",
"detected": "Gedetecteerd",
"animal_lens": "Dier lens 1",
"face": "Gezicht",
"face_lens": "Gezicht lens 1",
"motion_lens": "Beweging lens 1",
- "package": "Package",
- "package_lens": "Package lens 1",
+ "package": "Pakket",
+ "package_lens": "Pakket lens 1",
"person_lens": "Persoon lens 1",
"pet": "Huisdier",
"pet_lens": "Huisdier lens 1",
- "sleep_status": "Sleep status",
+ "sleep_status": "Slaapstatus",
"awake": "Wakker",
"sleep": "Slapen",
"vehicle": "Voertuig",
@@ -1834,47 +1852,47 @@
"floodlight": "Schijnwerper",
"status_led": "Status LED",
"ai_animal_delay": "AI dier vertraging",
- "ai_animal_sensitivity": "AI animal sensitivity",
+ "ai_pet_sensitivity": "AI huisdier gevoeligheid",
"ai_face_delay": "AI gezicht vertraging",
- "ai_face_sensitivity": "AI face sensitivity",
- "ai_package_delay": "AI package delay",
- "ai_package_sensitivity": "AI package sensitivity",
+ "ai_face_sensitivity": "AI gezicht gevoeligheid",
+ "ai_package_delay": "AI pakket vertraging",
+ "ai_package_sensitivity": "AI pakket gevoeligheid",
"ai_person_delay": "AI persoon vertraging",
- "ai_person_sensitivity": "AI person sensitivity",
+ "ai_person_sensitivity": "AI persoon gevoeligheid",
"ai_pet_delay": "AI huisdier vertraging",
- "ai_pet_sensitivity": "AI pet sensitivity",
"ai_vehicle_delay": "AI voertuig vertraging",
- "ai_vehicle_sensitivity": "AI vehicle sensitivity",
+ "ai_vehicle_sensitivity": "AI voertuig gevoeligheid",
"auto_quick_reply_time": "Automatisch antwoordtijd",
"auto_track_disappear_time": "Automatisch volgen verdwijn tijd",
"auto_track_limit_left": "Automatisch volgen linker limiet",
"auto_track_limit_right": "Automatisch volgen rechter limiet",
"auto_track_stop_time": "Automatisch volgen stoptijd",
- "day_night_switch_threshold": "Day night switch threshold",
+ "day_night_switch_threshold": "Dag-nacht schakeldrempel",
"floodlight_turn_on_brightness": "Schijnwerper helderheid bij aanzetten",
"focus": "Concentratie",
"guard_return_time": "Bewaak punt terugkeertijd",
- "image_brightness": "Image brightness",
- "image_contrast": "Image contrast",
- "image_hue": "Image hue",
- "image_saturation": "Image saturation",
- "image_sharpness": "Image sharpness",
- "message_volume": "Message volume",
- "motion_sensitivity": "Beweging gevoeligheid",
- "pir_sensitivity": "PIR sensitivity",
+ "image_brightness": "Beeldhelderheid",
+ "image_contrast": "Beeldcontrast",
+ "image_hue": "Beeldtint",
+ "image_saturation": "Beeldverzadiging",
+ "image_sharpness": "Beeldscherpte",
+ "message_volume": "Berichtvolume",
+ "motion_sensitivity": "Bewegingsgevoeligheid",
+ "pir_sensitivity": "PIR gevoeligheid",
"zoom": "Zoom",
"auto_quick_reply_message": "Automatisch antwoordbericht",
+ "off": "Uit",
"auto_track_method": "Automatische volgmethode",
"digital": "Digitaal",
"digital_first": "Digitaal eerst",
"pan_tilt_first": "Draaien/kantelen eerst",
- "binning_mode": "Binning mode",
+ "binning_mode": "Binning-modus",
"day_night_mode": "Dag nacht modus",
"black_white": "Black & white",
"doorbell_led": "Deurbel LED",
- "always_on": "Always on",
- "state_alwaysonatnight": "Auto & always on at night",
- "stay_off": "Stay off",
+ "always_on": "Altijd aan",
+ "state_alwaysonatnight": "Automatisch & 's nachts altijd aan",
+ "stay_off": "Blijf uit",
"floodlight_mode": "Schijnwerper modus",
"adaptive": "Adaptief",
"auto_adaptive": "Automatisch en adaptief",
@@ -1887,50 +1905,92 @@
"good_day": "Good day",
"hop_hop": "Hop hop",
"loop": "Loop",
- "moonlight": "Maanlicht",
- "operetta": "Operette",
- "original_tune": "Original tune",
+ "moonlight": "Moonlight",
+ "operetta": "Operetta",
+ "original_tune": "Originele melodie",
"piano_key": "Piano key",
"way_back_home": "Way back home",
- "hub_visitor_ringtone": "Hub visitor ringtone",
+ "hub_visitor_ringtone": "Hub-bezoekersbeltoon",
"clear_bit_rate": "Duidelijke bitrate",
"clear_frame_rate": "Duidelijke framerate",
- "motion_ringtone": "Motion ringtone",
+ "motion_ringtone": "Beltoon bij beweging",
"package_ringtone": "Package ringtone",
- "person_ringtone": "Person ringtone",
- "play_quick_reply_message": "Play quick reply message",
+ "person_ringtone": "Beltoon bij persoon",
+ "play_quick_reply_message": "Snel antwoordbericht afspelen",
"ptz_preset": "PTZ favorieten",
"fluent_bit_rate": "Vloeiende bitrate",
"fluent_frame_rate": "Vloeiende framerate",
- "vehicle_ringtone": "Vehicle ringtone",
- "visitor_ringtone": "Visitor ringtone",
+ "vehicle_ringtone": "Beltoon bij voertuig",
+ "visitor_ringtone": "Beltoon bij bezoeker",
"battery_state": "Batterijstatus",
"charge_complete": "Opladen voltooid",
"charging": "Opladen",
"discharging": "Ontladen",
"battery_temperature": "Batterijtemperatuur",
"cpu_usage": "CPU gebruik",
- "hdd_hdd_index_storage": "HDD {hdd_index} storage",
+ "hdd_hdd_index_storage": "HDD {hdd_index} opslag",
"ptz_pan_position": "PTZ draai positie",
- "ptz_tilt_position": "PTZ tilt position",
- "sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
+ "ptz_tilt_position": "PTZ-kantelpositie",
+ "sd_hdd_index_storage": "SD {hdd_index} opslag",
"auto_focus": "Automatisch focussen",
"auto_tracking": "Automatisch volgen",
"doorbell_button_sound": "Deurbel knop geluid",
- "email_on_event": "e-mail bij gebeurtenis",
+ "email_on_event": "E-mail bij gebeurtenis",
"ftp_upload": "FTP uploaden",
"guard_return": "Guard return",
- "hub_ringtone_on_event": "Hub ringtone on event",
+ "hub_ringtone_on_event": "Hub-beltoon bij gebeurtenis",
"ir_lights_name": "Infraroodverlichting in nachtmodus",
- "manual_record": "Manual record",
- "pir_enabled": "PIR enabled",
- "pir_reduce_false_alarm": "PIR reduce false alarm",
- "ptz_patrol": "PTZ patrol",
+ "manual_record": "Handmatig opnemen",
+ "pir_enabled": "PIR ingeschakeld",
+ "pir_reduce_false_alarm": "PIR verminder vals alarm",
+ "ptz_patrol": "PTZ-patrouille",
"push_notifications": "Pushmeldingen",
"record": "Opnemen",
"record_audio": "Geluid opnemen",
"siren_on_event": "Sirene bij gebeurtenis",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist actief",
+ "quiet": "Stil",
+ "preferred": "Voorkeur",
+ "finished_speaking_detection": "Klaar met spraakdetectie",
+ "aggressive": "Agressief",
+ "relaxed": "Relaxed",
+ "wake_word": "Wekwoord",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent-versie",
+ "apparmor_version": "Apparmor-versie",
+ "cpu_percent": "CPU-percentage",
+ "disk_free": "Schijfruimte vrij",
+ "disk_total": "Schijfruimte totaal",
+ "disk_used": "Schijfruimte gebruikt",
+ "memory_percent": "Geheugenpercentage",
+ "version": "Versie",
+ "newest_version": "Nieuwste versie",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Dempen",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Werkplek",
+ "next_dawn": "Volgende dageraad",
+ "next_dusk": "Volgende schemering",
+ "next_midnight": "Volgende middernacht",
+ "next_noon": "Volgende middag",
+ "next_rising": "Volgende opkomst",
+ "next_setting": "Volgende ondergang",
+ "solar_azimuth": "Azimut zon",
+ "solar_elevation": "Elevatie zon",
+ "solar_rising": "Zonne-energie toename",
"heavy": "Zwaar",
"mild": "Mild",
"button_down": "Knop omlaag",
@@ -1946,78 +2006,255 @@
"not_completed": "Niet voltooid",
"pending": "In behandeling",
"checking": "Controleren",
+ "closing": "Closing",
"failure": "Storing",
"opened": "Geopend",
- "ding": "Ding",
- "last_recording": "Laatste opname",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Deurbel volume",
- "voice_volume": "Voice volume",
- "last_activity": "Laatste activiteit",
- "last_ding": "Last ding",
- "last_motion": "Laatste beweging",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Kalibratie",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Time-out",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Lichtsterkte",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Apparaatbeheerder",
- "kiosk_mode": "Kioskmodus",
- "plugged_in": "Ingeplugd",
- "load_start_url": "Start URL laden",
- "restart_browser": "Herstart browser",
- "restart_device": "Herstart apparaat",
- "send_to_background": "Naar achtergrond sturen",
- "bring_to_foreground": "Naar de voorgrond halen",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Schermhelderheid",
- "screen_off_timer": "Scherm uit timer",
- "screensaver_brightness": "Helderheid screensaver",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Huidige pagina",
- "foreground_app": "Voorgrond-app",
- "internal_storage_free_space": "Interne opslag vrije ruimte",
- "internal_storage_total_space": "Interne opslag totale ruimte",
- "free_memory": "Vrij geheugen",
- "total_memory": "Totaal geheugen",
- "screen_orientation": "Schermoriëntatie",
- "kiosk_lock": "Kiosk vergrendeling",
- "maintenance_mode": "Onderhoudsmodus",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Beheerd via UI",
- "max_length": "Maximale lengte",
- "min_length": "Minimale lengte",
- "pattern": "Patroon",
- "minute": "Minuut",
- "second": "Seconde",
- "timestamp": "Tijdstempel",
- "stopped": "Gestopt",
+ "estimated_distance": "Geschatte afstand",
+ "vendor": "Leverancier",
+ "accelerometer": "Acceleratiemeter",
+ "binary_input": "Binaire invoer",
+ "calibrated": "Gekalibreerd",
+ "consumer_connected": "Gebruiker verbonden",
+ "external_sensor": "Externe sensor",
+ "frost_lock": "Vorstslot",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Verbindingsalarm status",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open raam detectiestatus",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Vervang filter",
+ "valve_alarm": "Klep alarm",
+ "open_window_detection": "Open raam detectie",
+ "feed": "Voeren",
+ "frost_lock_reset": "Vorstvergrendeling reset",
+ "presence_status_reset": "Aanwezigheidsstatus reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Zelftest",
+ "keen_vent": "Keen ventilatie",
+ "fan_group": "Ventilatorgroep",
+ "light_group": "Lichtgroep",
+ "door_lock": "Deurslot",
+ "ambient_sensor_correction": "Omgevingssensor correctie",
+ "approach_distance": "Naderingsafstand",
+ "automatic_switch_shutoff_timer": "Automatische uitschakeltimer",
+ "away_preset_temperature": "Niet-thuis vooringestelde temperatuur",
+ "boost_amount": "Boost hoeveelheid",
+ "button_delay": "Knopvertraging",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Standaard bewegingssnelheid",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximaal bereik",
+ "minimum_range": "Minimaal bereik",
+ "detection_interval": "Detectieinterval",
+ "local_dimming_down_speed": "Snelheid van omlaag dimmen lokaal",
+ "remote_dimming_down_speed": "Snelheid van omlaag dimmen op afstand",
+ "local_dimming_up_speed": "Snelheid van omhoog dimmen lokaal",
+ "remote_dimming_up_speed": "Snelheid van omhoog dimmen op afstand",
+ "display_activity_timeout": "Time-out voor weergaveactiviteit",
+ "display_inactive_brightness": "Helderheid inactief scherm",
+ "double_tap_down_level": "Dubbeltik omlaag niveau",
+ "double_tap_up_level": "Dubbeltik omhoog niveau",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "Externe sensorcorrectie",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Terugval-time-out",
+ "filter_life_time": "Levensduur filter",
+ "fixed_load_demand": "Vaste belastingvraag",
+ "frost_protection_temperature": "Vorstbeveiligingstemperatuur",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Standaard kleur bij alle LED's uitgeschakeld",
+ "led_color_when_on_name": "Standaard kleur bij alle LED's ingeschakeld",
+ "led_intensity_when_off_name": "Standaard intensiteit bij alle LED's uitgeschakeld",
+ "led_intensity_when_on_name": "Standaard intensiteit bij alle LED's ingeschakeld",
+ "load_level_indicator_timeout": "Belastingsniveau indicator time-out",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximale belasting dimniveau",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimale belasting dimniveau",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Uitschakel transitietijd",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "Inschakelniveau",
+ "on_off_transition_time": "Aan/uit transitietijd",
+ "on_transition_time": "Inschakel transitietijd",
+ "open_window_detection_guard_period_name": "Open raam detectiewachtperiode",
+ "open_window_detection_threshold": "Open raam detectiedrempel",
+ "open_window_event_duration": "Open raam gebeurtenisduur",
+ "portion_weight": "Deelgewicht",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Aanwezigheidsgevoeligheid",
+ "fade_time": "Vervagingstijd",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Drempelratio lokaal voor inschakelen",
+ "ramp_rate_off_to_on_remote_name": "Drempelratio op afstand voor inschakelen",
+ "ramp_rate_on_to_off_local_name": "Drempelratio lokaal voor uitschakelen",
+ "ramp_rate_on_to_off_remote_name": "Drempelratio op afstand voor uitschakelen",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regelaar instelpunt",
+ "serving_to_dispense": "Grootte van afgifte",
+ "siren_time": "Sirenetijd",
+ "start_up_color_temperature": "Kleurtemperatuur bij opstarten",
+ "start_up_current_level": "Huidig niveau bij opstarten",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timerduur",
+ "timer_time_left": "Timer resterende tijd",
+ "transmit_power": "Uitzendvermogen",
+ "valve_closing_degree": "Sluitgraad klep",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Openingsgraad klep",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Achtergrondverlichtingsmodus",
+ "click_mode": "Klikmodus",
+ "control_type": "Type besturing",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Standaard sireneniveau",
+ "default_siren_tone": "Standaard sirenetoon",
+ "default_strobe": "Standaard stroboscoop",
+ "default_strobe_level": "Standaard stroboscoopniveau",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "Type externe temperatuursensor",
+ "external_trigger_mode": "Externe triggermodus",
+ "heat_transfer_medium": "Warmteoverdrachtsmedium",
+ "heating_emitter_type": "Type verwarmingsstraler",
+ "heating_fuel": "Verwarmingsbrandstof",
+ "non_neutral_output": "Niet neutrale uitgang",
+ "irrigation_mode": "Irrigatiemodus",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "LED schaalmodus",
+ "local_temperature_source": "Lokale temperatuur bron",
+ "monitoring_mode": "Monitoring modus",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Bedrijfsmodus",
+ "output_mode": "Uitvoermodus",
+ "power_on_state": "Status bij inschakelen",
+ "regulator_period": "Regelaar periode",
+ "sensor_mode": "Sensormodus",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Opstartgedrag",
+ "switch_mode": "Switch mode",
+ "switch_type": "Type schakelaar",
+ "thermostat_application": "Thermostaat toepassing",
+ "thermostat_mode": "Thermostaatmodus",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weer vertraging",
+ "curtain_mode": "Gordijn mode",
+ "ac_frequency": "Netfrequentie",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "Bezig",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analoge ingang",
+ "control_status": "Besturingsstatus",
+ "device_run_time": "Gebruiksduur apparaat",
+ "device_temperature": "Temperatuur apparaat",
+ "target_distance": "Doelafstand",
+ "filter_run_time": "Gebruiksduur filter",
+ "formaldehyde_concentration": "Concentratie formaldehyde",
+ "hooks_state": "Hooks state",
+ "hvac_action": "Actie air-conditioner",
+ "instantaneous_demand": "Onmiddellijke vraag",
+ "internal_temperature": "Interne temperatuur",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Eindtijd van de irrigatie",
+ "irrigation_start_time": "Starttijd van de irrigatie",
+ "last_feeding_size": "Laatste voedingsafgifte",
+ "last_feeding_source": "Laatste voedingsbron",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Duur laatste klepopening",
+ "leaf_wetness": "Vochtigheid bladeren",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Vloertemperatuur",
+ "lqi": "LQI",
+ "motion_distance": "Bewegingsafstand",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Delen afgegeven vandaag",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Zelftestresultaat",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Rookdichtheid",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Lage batterij",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Vochtigheid aarde",
+ "summation_delivered": "Opsomming afgeleverd",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 opsomming afgeleverd",
+ "timer_state": "Timerstatus",
+ "weight_dispensed_today": "Afgegeven gewicht vandaag",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Externe schakelscènes",
+ "binding_off_to_on_sync_level_name": "Afkoppelen op synchronisatieniveau",
+ "buzzer_manual_alarm": "Zoemer handmatig alarm",
+ "buzzer_manual_mute": "Zoemer handmatig dempen",
+ "detach_relay": "Relais loskoppelen",
+ "disable_clear_notifications_double_tap_name": "Uitschakelen configuratie dubbeltik om notificaties te wissen",
+ "disable_led": "LED uitschakelen",
+ "double_tap_down_enabled": "Dubbeltik omlaag ingeschakeld",
+ "double_tap_up_enabled": "Dubbeltik omhoog ingeschakeld",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Sirene inschakelen",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Afstandsschakelaar",
+ "firmware_progress_led": "Firmware voortgangs-LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Omkeren schakelaar",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Verbindingsalarm",
+ "local_protection": "Lokale bescherming",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Enkele LED modus",
+ "open_window": "Open raam",
+ "power_outage_memory": "Stroomuitval geheugen",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Uitschakelen relaisklik in aan/uit modus",
+ "smart_bulb_mode": "Slimme lampmodus",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED triggerindicator",
+ "turbo_mode": "Turbo-modus",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Gebruik load balancing",
+ "valve_detection": "Klepdetectie",
+ "window_detection": "Raamdetectie",
+ "invert_window_detection": "Raamdetectie omkeren",
+ "available_tones": "Beschikbare tonen",
"device_trackers": "Apparaat trackers",
"gps_accuracy": "GPS nauwkeurigheid",
- "paused": "Gepauzeerd",
- "finishes_at": "Eindigt om",
- "remaining": "Resterend",
- "restore": "Herstellen",
"last_reset": "Laatste reset",
"possible_states": "Mogelijke statussen",
- "state_class": "Statusklasse (state class)",
+ "state_class": "Statusklasse",
"measurement": "Meting",
"total": "Totaal",
"total_increasing": "Totaal oplopend",
@@ -2046,77 +2283,12 @@
"sound_pressure": "Geluidsdruk",
"speed": "Snelheid",
"sulphur_dioxide": "Zwaveldioxide",
+ "timestamp": "Tijdstempel",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Opgeslagen volume",
"weight": "Gewicht",
- "cool": "Koelen",
- "fan_only": "Alleen ventilator",
- "heat_cool": "Verwarmen/koelen",
- "aux_heat": "Bijverwarming",
- "current_humidity": "Huidige luchtvochtigheid",
- "current_temperature": "Current Temperature",
- "fan_mode": "Ventilatormode",
- "diffuse": "Diffuus",
- "top": "Boven",
- "current_action": "Huidige actie",
- "defrosting": "Defrosting",
- "heating": "Verwarmen",
- "preheating": "Voorverwarmen",
- "max_target_humidity": "Maximale doelluchtvochtigheid",
- "max_target_temperature": "Maximale temperatuur",
- "min_target_humidity": "Minimale doelluchtvochtigheid",
- "min_target_temperature": "Minimale doeltemperatuur",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "presets": "Voorinstellingen",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing-modus",
- "both": "Beide",
- "horizontal": "Horizontaal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Doeltemperatuurstap",
- "not_charging": "Niet aan het opladen",
- "disconnected": "Verbroken",
- "connected": "Verbonden",
- "hot": "Heet",
- "no_light": "Geen licht",
- "light_detected": "Licht gedetecteerd",
- "locked": "Vergrendeld",
- "unlocked": "Ontgrendeld",
- "not_moving": "Geen beweging",
- "unplugged": "Losgekoppeld",
- "not_running": "Niet actief",
- "safe": "Veilig",
- "unsafe": "Onveilig",
- "tampering_detected": "Sabotage ontdekt",
- "above_horizon": "Boven de horizon",
- "below_horizon": "Onder de horizon",
- "buffering": "Bufferen",
- "playing": "Speelt",
- "standby": "Stand-by",
- "app_id": "App-ID",
- "local_accessible_entity_picture": "Lokaal toegankelijke entiteitsafbeelding",
- "group_members": "Groepsleden",
- "muted": "Gedempt",
- "album_artist": "Albumartiest",
- "content_id": "Content ID",
- "content_type": "Type content",
- "channels": "Kanalen",
- "position_updated": "Positie bijgewerkt",
- "series": "Series",
- "all": "Alle",
- "one": "Een",
- "available_sound_modes": "Beschikbare geluidsmodi",
- "available_sources": "Beschikbare bronnen",
- "receiver": "Ontvanger",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Beheerd via UI",
"color_mode": "Color Mode",
"brightness_only": "Alleen helderheid",
"hs": "HS",
@@ -2132,13 +2304,35 @@
"minimum_color_temperature_kelvin": "Minimale kleurtemperatuur (Kelvin)",
"minimum_color_temperature_mireds": "Minimale kleurtemperatuur (mired)",
"available_color_modes": "Beschikbare kleurmodi",
- "available_tones": "Beschikbare tonen",
"docked": "Gedockt",
"mowing": "Maaien",
+ "paused": "Gepauzeerd",
"returning": "Returning",
+ "max_length": "Maximale lengte",
+ "min_length": "Minimale lengte",
+ "pattern": "Patroon",
+ "running_automations": "Lopende automatiseringen",
+ "max_running_scripts": "Max lopende scripts",
+ "run_mode": "Uitvoeringsmodus",
+ "parallel": "Parallel",
+ "queued": "Wachtrij",
+ "single": "Enkelvoudig",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillerend",
"speed_step": "Snelheid stap",
"available_preset_modes": "Beschikbare modes",
+ "minute": "Minuut",
+ "second": "Seconde",
+ "next_event": "Volgende gebeurtenis",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Helder, nacht",
"cloudy": "Bewolkt",
"exceptional": "Uitzonderlijk",
@@ -2161,26 +2355,9 @@
"uv_index": "UV index",
"wind_bearing": "Windrichting",
"wind_gust_speed": "Windvlaag snelheid",
- "auto_update": "Auto update",
- "in_progress": "Bezig",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Ingeschakeld afwezig",
- "armed_custom_bypass": "Ingeschakeld met overbrugging",
- "armed_home": "Ingeschakeld thuis",
- "armed_night": "Ingeschakeld nacht",
- "armed_vacation": "Ingeschakeld vakantie",
- "disarming": "Schakelt uit",
- "triggered": "Getriggerd",
- "changed_by": "Gewijzigd door",
- "code_for_arming": "Code voor inschakelen",
- "not_required": "Niet vereist",
- "code_format": "Code format",
"identify": "Identificeren",
+ "cleaning": "Schoonmaken",
+ "returning_to_dock": "Terugkeren naar dock",
"streaming": "Streamen",
"access_token": "Toegangstoken",
"brand": "Merk",
@@ -2188,95 +2365,138 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
- "end_time": "End time",
- "start_time": "Starttijd",
- "next_event": "Volgende gebeurtenis",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatisch",
+ "jammed": "Vastgelopen",
+ "locked": "Vergrendeld",
+ "locking": "Vergrendelen",
+ "unlocked": "Ontgrendeld",
+ "changed_by": "Gewijzigd door",
+ "code_format": "Code format",
+ "members": "Leden",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max lopende automatiseringen",
+ "cool": "Koelen",
+ "fan_only": "Alleen ventilator",
+ "heat_cool": "Verwarmen/koelen",
+ "aux_heat": "Bijverwarming",
+ "current_humidity": "Huidige luchtvochtigheid",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Ventilatormode",
+ "diffuse": "Diffuus",
+ "top": "Boven",
+ "current_action": "Huidige actie",
+ "defrosting": "Defrosting",
+ "preheating": "Voorverwarmen",
+ "max_target_humidity": "Maximale doelluchtvochtigheid",
+ "max_target_temperature": "Maximale temperatuur",
+ "min_target_humidity": "Minimale doelluchtvochtigheid",
+ "min_target_temperature": "Minimale doeltemperatuur",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "presets": "Voorinstellingen",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing-modus",
+ "both": "Beide",
+ "horizontal": "Horizontaal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Doeltemperatuurstap",
+ "stopped": "Stopped",
"garage": "Garage",
+ "not_charging": "Niet aan het opladen",
+ "disconnected": "Verbroken",
+ "connected": "Verbonden",
+ "hot": "Heet",
+ "no_light": "Geen licht",
+ "light_detected": "Licht gedetecteerd",
+ "not_moving": "Geen beweging",
+ "unplugged": "Losgekoppeld",
+ "not_running": "Niet actief",
+ "safe": "Veilig",
+ "unsafe": "Onveilig",
+ "tampering_detected": "Sabotage ontdekt",
+ "buffering": "Bufferen",
+ "playing": "Speelt",
+ "standby": "Stand-by",
+ "app_id": "App-ID",
+ "local_accessible_entity_picture": "Lokaal toegankelijke entiteitsafbeelding",
+ "group_members": "Groepsleden",
+ "muted": "Gedempt",
+ "album_artist": "Albumartiest",
+ "content_id": "Content ID",
+ "content_type": "Type content",
+ "channels": "Kanalen",
+ "position_updated": "Positie bijgewerkt",
+ "series": "Series",
+ "all": "Alle",
+ "one": "Een",
+ "available_sound_modes": "Beschikbare geluidsmodi",
+ "available_sources": "Beschikbare bronnen",
+ "receiver": "Ontvanger",
+ "speaker": "Speaker",
+ "tv": "TV",
+ "end_time": "Eindtijd",
+ "start_time": "Starttijd",
"event_type": "Gebeurtenistype",
"event_types": "Gebeurtenistypes",
"doorbell": "Deurbel",
- "running_automations": "Lopende automatiseringen",
- "id": "ID",
- "max_running_automations": "Max lopende automatiseringen",
- "run_mode": "Uitvoeringsmodus",
- "parallel": "Parallel",
- "queued": "Wachtrij",
- "single": "Enkelvoudig",
- "cleaning": "Schoonmaken",
- "returning_to_dock": "Terugkeren naar dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max lopende scripts",
- "jammed": "Vastgelopen",
- "locking": "Vergrendelen",
- "members": "Leden",
- "known_hosts": "Bekende hosts",
- "google_cast_configuration": "Google Cast configuratie",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is al geconfigureerd",
- "abort_already_in_progress": "De configuratie is momenteel al bezig",
- "failed_to_connect": "Kan geen verbinding maken",
- "invalid_access_token": "Ongeldig toegangstoken",
- "invalid_authentication": "Ongeldige authenticatie",
- "received_invalid_token_data": "Ongeldige tokengegevens ontvangen.",
- "abort_oauth_failed": "Fout bij het verkrijgen van toegangstoken.",
- "timeout_resolving_oauth_token": "Time-out bij het verkrijgen OAuth token.",
- "abort_oauth_unauthorized": "OAuth autorisatiefout tijdens het verkrijgen van een toegangstoken.",
- "re_authentication_was_successful": "Herauthenticatie geslaagd",
- "unexpected_error": "Onverwachte fout",
- "successfully_authenticated": "Authenticatie geslaagd",
- "link_fitbit": "Linken Fitbit",
- "pick_authentication_method": "Kies een authenticatie methode",
- "authentication_expired_for_name": "Authenticatie is verlopen voor {name}",
+ "above_horizon": "Boven de horizon",
+ "below_horizon": "Onder de horizon",
+ "armed_away": "Ingeschakeld afwezig",
+ "armed_custom_bypass": "Ingeschakeld met overbrugging",
+ "armed_home": "Ingeschakeld thuis",
+ "armed_night": "Ingeschakeld nacht",
+ "armed_vacation": "Ingeschakeld vakantie",
+ "disarming": "Schakelt uit",
+ "triggered": "Getriggerd",
+ "code_for_arming": "Code voor inschakelen",
+ "not_required": "Niet vereist",
+ "finishes_at": "Eindigt om",
+ "remaining": "Resterend",
+ "restore": "Herstellen",
"device_is_already_configured": "Apparaat is al geconfigureerd",
+ "failed_to_connect": "Kan geen verbinding maken",
"abort_no_devices_found": "Geen apparaten gevonden op het netwerk",
+ "re_authentication_was_successful": "Herauthenticatie geslaagd",
"re_configuration_was_successful": "Herconfiguratie was succesvol",
"connection_error_error": "Verbindingsfout: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
"camera_stream_authentication_failed": "Camera stream authentication failed",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "Enable camera live view",
- "username": "Gebruikersnaam",
+ "username": "Username",
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticeren",
+ "authentication_expired_for_name": "Authenticatie is verlopen voor {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Al geconfigureerd. Slechts één configuratie mogelijk.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Wil je beginnen met instellen?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Niet-ondersteund Switchbot-type.",
+ "unexpected_error": "Onverwachte fout",
+ "authentication_failed_error_detail": "Authenticatie mislukt: {error_detail}",
+ "error_encryption_key_invalid": "Sleutel-ID of encryptiesleutel is ongeldig",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot-account (aanbevolen)",
+ "enter_encryption_key_manually": "Encryptiesleutel handmatig invoeren",
+ "encryption_key": "Coderingssleutel",
+ "key_id": "Sleutel-ID",
+ "password_description": "Wachtwoord om de back-up te beveiligen.",
+ "mac_address": "MAC adres",
"service_is_already_configured": "Dienst is al geconfigureerd",
- "invalid_ics_file": "Ongeldig .ics bestand",
- "calendar_name": "Naam agenda",
- "starting_data": "Startgegevens",
+ "abort_already_in_progress": "De configuratie is momenteel al bezig",
"abort_invalid_host": "Ongeldige hostnaam of IP-adres",
"device_not_supported": "Apparaat wordt niet ondersteund",
+ "invalid_authentication": "Ongeldige authenticatie",
"name_model_at_host": "{name} ({model} bij {host})",
"authenticate_to_the_device": "Authenticeer naar het apparaat",
"finish_title": "Kies een naam voor het apparaat",
@@ -2284,68 +2504,27 @@
"yes_do_it": "Ja, doe het.",
"unlock_the_device_optional": "Ontgrendel het apparaat (optioneel)",
"connect_to_the_device": "Naar een apparaat verbinden",
- "abort_missing_credentials": "Voor deze integratie zijn applicatie inloggegevens vereist.",
- "timeout_establishing_connection": "Time-out bij het maken van verbinding",
- "link_google_account": "Google-account koppelen",
- "path_is_not_allowed": "Pad is niet toegestaan",
- "path_is_not_valid": "Pad is niet geldig",
- "path_to_file": "Pad naar bestand",
- "api_key": "API-sleutel",
- "configure_daikin_ac": "Daikin AC instellen",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "bluetooth_confirm_description": "Wil je {name} instellen?",
- "adapter": "Adapter",
- "multiple_adapters_description": "Selecteer een Bluetooth adapter om in te stellen",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Apparaatklasse (device class)",
- "state_template": "Statussjabloon",
- "template_binary_sensor": "Sjabloneer een binaire sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "SSL-certificaat verifiëren",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Beschikbare opties",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Sjabloonsensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is al geconfigureerd",
+ "invalid_access_token": "Ongeldig toegangstoken",
+ "received_invalid_token_data": "Ongeldige tokengegevens ontvangen.",
+ "abort_oauth_failed": "Fout bij het verkrijgen van toegangstoken.",
+ "timeout_resolving_oauth_token": "Time-out bij het verkrijgen OAuth token.",
+ "abort_oauth_unauthorized": "OAuth autorisatiefout tijdens het verkrijgen van een toegangstoken.",
+ "successfully_authenticated": "Authenticatie geslaagd",
+ "link_fitbit": "Linken Fitbit",
+ "pick_authentication_method": "Kies een authenticatie methode",
+ "two_factor_code": "Twee-factor code",
+ "two_factor_authentication": "Tweestapsverificatie",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Aanmelden met Ring-account",
+ "abort_alternative_integration": "Apparaat wordt beter ondersteund door een andere integratie",
+ "abort_incomplete_config": "Configuratie mist een vereiste variabele",
+ "manual_description": "URL naar een XML-bestand met apparaatbeschrijvingen",
+ "manual_title": "Handmatige DLNA DMR-apparaatverbinding",
+ "discovered_dlna_dmr_devices": "Ontdekt DLNA Digital Media Renderer",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Opvragen informatie van {addon} add-on is mislukt.",
"abort_addon_install_failed": "Installatie van {addon} add-on is mislukt.",
"abort_addon_start_failed": "Starten van {addon} add-on is mislukt.",
@@ -2372,48 +2551,48 @@
"start_add_on": "Add-on starten",
"menu_options_addon": "Gebruik de officiële {addon} add-on.",
"menu_options_broker": "Handmatig de MQTT broker verbindingsgegevens opgeven.",
- "bridge_is_already_configured": "Bridge is al geconfigureerd",
- "no_deconz_bridges_discovered": "Geen deCONZ bridges ontdekt",
- "abort_no_hardware_available": "Geen radiohardware aangesloten op deCONZ",
- "abort_updated_instance": "DeCONZ-instantie bijgewerkt met nieuw host-adres",
- "error_linking_not_possible": "Kan geen koppeling maken met de gateway",
- "error_no_key": "Kon geen API-sleutel ophalen",
- "link_with_deconz": "Koppel met deCONZ",
- "select_discovered_deconz_gateway": "Selecteer gevonden deCONZ gateway",
- "pin_code": "Pincode",
- "discovered_android_tv": "Android TV ontdekt",
- "abort_mdns_missing_mac": "Ontbrekend MAC adres in MDNS eigenschappen.",
- "abort_mqtt_missing_api": "API poort mist in MQTT eigenschappen.",
- "abort_mqtt_missing_ip": "IP adres mist in MQTT eigenschappen.",
- "abort_mqtt_missing_mac": "MAC adres mist in MQTT eigenschappen.",
- "missing_mqtt_payload": "Missende MQTT payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "ESPHome apparaat ontdekt",
- "encryption_key": "Encryptiesleutel",
- "no_port_for_endpoint": "Geen poort voor het endpoint",
- "abort_no_services": "Geen services gevonden op eindpunt",
- "discovered_wyoming_service": "Wyoming dienst ontdekt",
- "abort_alternative_integration": "Apparaat wordt beter ondersteund door een andere integratie",
- "abort_incomplete_config": "Configuratie mist een vereiste variabele",
- "manual_description": "URL naar een XML-bestand met apparaatbeschrijvingen",
- "manual_title": "Handmatige DLNA DMR-apparaatverbinding",
- "discovered_dlna_dmr_devices": "Ontdekt DLNA Digital Media Renderer",
+ "api_key": "API-sleutel",
+ "configure_daikin_ac": "Daikin AC instellen",
+ "cannot_connect_details_error_detail": "Kan geen verbinding maken: {error_detail}",
+ "unknown_details_error_detail": "Onverwachte fout: {error_detail}",
+ "uses_an_ssl_certificate": "Maakt gebruik van een SSL-certificaat",
+ "verify_ssl_certificate": "SSL-certificaat verifiëren",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "bluetooth_confirm_description": "Wil je {name} instellen?",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Selecteer een Bluetooth adapter om in te stellen",
"api_error_occurred": "API-fout opgetreden",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "HTTPS inschakelen",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC-adres",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisch institutt",
- "ipv_is_not_supported": "IPv6 wordt niet ondersteund.",
- "error_custom_port_not_supported": "Gen1-apparaat ondersteunt geen aangepaste poort.",
- "two_factor_code": "Twee-factor code",
- "two_factor_authentication": "Tweestapsverificatie",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Aanmelden met Ring-account",
+ "timeout_establishing_connection": "Time-out bij het maken van verbinding",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Pad is niet toegestaan",
+ "path_is_not_valid": "Pad is niet geldig",
+ "path_to_file": "Pad naar bestand",
+ "pin_code": "Pincode",
+ "discovered_android_tv": "Android TV ontdekt",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "Alle entiteiten",
"hide_members": "Verberg leden",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Negeer niet-numeriek",
"data_round_digits": "Waarde afronden op aantal decimalen",
"type": "Type",
@@ -2421,29 +2600,205 @@
"button_group": "Button group",
"cover_group": "Raambekledinggroep",
"event_group": "Gebeurtenis groep",
- "fan_group": "Ventilatorgroep",
- "light_group": "Lichtgroep",
"lock_group": "Slotgroep",
"media_player_group": "Mediaspelergroep",
"notify_group": "Notify group",
"sensor_group": "Sensor groep",
"switch_group": "Schakelaargroep",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Niet-ondersteund Switchbot-type.",
- "authentication_failed_error_detail": "Authenticatie mislukt: {error_detail}",
- "error_encryption_key_invalid": "Sleutel-ID of encryptiesleutel is ongeldig",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot-account (aanbevolen)",
- "enter_encryption_key_manually": "Encryptiesleutel handmatig invoeren",
- "key_id": "Sleutel-ID",
- "password_description": "Wachtwoord om de back-up te beveiligen.",
- "device_address": "Apparaatadres",
- "cannot_connect_details_error_detail": "Kan geen verbinding maken: {error_detail}",
- "unknown_details_error_detail": "Onverwachte fout: {error_detail}",
- "uses_an_ssl_certificate": "Maakt gebruik van een SSL-certificaat",
+ "known_hosts": "Bekende hosts",
+ "google_cast_configuration": "Google Cast configuratie",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Ontbrekend MAC adres in MDNS eigenschappen.",
+ "abort_mqtt_missing_api": "API poort mist in MQTT eigenschappen.",
+ "abort_mqtt_missing_ip": "IP adres mist in MQTT eigenschappen.",
+ "abort_mqtt_missing_mac": "MAC adres mist in MQTT eigenschappen.",
+ "missing_mqtt_payload": "Missende MQTT payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "ESPHome apparaat ontdekt",
+ "bridge_is_already_configured": "Bridge is al geconfigureerd",
+ "no_deconz_bridges_discovered": "Geen deCONZ bridges ontdekt",
+ "abort_no_hardware_available": "Geen radiohardware aangesloten op deCONZ",
+ "abort_updated_instance": "DeCONZ-instantie bijgewerkt met nieuw host-adres",
+ "error_linking_not_possible": "Kan geen koppeling maken met de gateway",
+ "error_no_key": "Kon geen API-sleutel ophalen",
+ "link_with_deconz": "Koppel met deCONZ",
+ "select_discovered_deconz_gateway": "Selecteer gevonden deCONZ gateway",
+ "abort_missing_credentials": "Voor deze integratie zijn applicatie inloggegevens vereist.",
+ "no_port_for_endpoint": "Geen poort voor het endpoint",
+ "abort_no_services": "Geen services gevonden op eindpunt",
+ "discovered_wyoming_service": "Wyoming dienst ontdekt",
+ "ipv_is_not_supported": "IPv6 wordt niet ondersteund.",
+ "error_custom_port_not_supported": "Gen1-apparaat ondersteunt geen aangepaste poort.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "Statussjabloon",
+ "template_binary_sensor": "Sjabloneer een binaire sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Beschikbare opties",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Sjabloonsensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "Dit apparaat is niet een zha-apparaat.",
+ "abort_usb_probe_failed": "Kon het USB apparaat niet onderzoeken",
+ "invalid_backup_json": "Ongeldige back-up-JSON",
+ "choose_an_automatic_backup": "Kies een automatische back-up",
+ "restore_automatic_backup": "Automatische back-up herstellen",
+ "choose_formation_strategy_description": "Kies de netwerkinstellingen voor je toegangspunt.",
+ "restore_an_automatic_backup": "Een automatische back-up herstellen",
+ "create_a_network": "Een netwerk creëren",
+ "keep_radio_network_settings": "Behoud de netwerkinstellingen van het toegangspunt",
+ "upload_a_manual_backup": "Upload een handmatige back-up",
+ "network_formation": "Netwerkformatie",
+ "serial_device_path": "Serieel apparaat pad",
+ "select_a_serial_port": "Selecteer een seriële poort",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Selecteer je Zigbee toegangspunt type",
+ "port_speed": "poortsnelheid",
+ "data_flow_control": "data flow controle",
+ "manual_port_config_description": "Geef de instellingen voor de seriële poort",
+ "serial_port_settings": "Seriëlepoortinstellingen",
+ "data_overwrite_coordinator_ieee": "Definitieve vervanging van IEEE toegangspunt adres",
+ "overwrite_radio_ieee_address": "Overschrijven IEEE adres van het toegangspunt",
+ "upload_a_file": "Een bestand uploaden",
+ "radio_is_not_recommended": "Radio wordt niet aanbevolen",
+ "invalid_ics_file": "Ongeldig .ics bestand",
+ "calendar_name": "Naam agenda",
+ "starting_data": "Startgegevens",
+ "zha_alarm_options_alarm_arm_requires_code": "Code vereist voor inschakelacties",
+ "zha_alarm_options_alarm_master_code": "Mastercode voor het alarmbedieningspaneel",
+ "alarm_control_panel_options": "Alarmbedieningspaneelopties",
+ "zha_options_consider_unavailable_battery": "Beschouw apparaten met batterijvoeding als onbeschikbaar na (seconden)",
+ "zha_options_consider_unavailable_mains": "Beschouw apparaten op netvoeding als onbeschikbaar na (seconden)",
+ "zha_options_default_light_transition": "Standaard lichtovergangstijd (seconden)",
+ "zha_options_group_members_assume_state": "Groepsleden nemen de status van de groep aan",
+ "zha_options_light_transitioning_flag": "Inschakelen geavanceerde helderheid schuifregelaar gedurende de lichtovergang",
+ "global_options": "Globale opties",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Aantal herhalingen",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Ongeldige URL",
+ "data_browse_unfiltered": "Incompatibele media weergeven tijdens browsen",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Poort om naar gebeurtenissen te luisteren (willekeurige poort indien niet ingesteld)",
+ "poll_for_device_availability": "Pollen voor apparaat beschikbaarheid",
+ "init_title": "DLNA Digital Media Renderer instellingen",
+ "broker_options": "Broker opties",
+ "enable_birth_message": "Birth bericht inschakelen",
+ "birth_message_payload": "Birth bericht inhoud",
+ "birth_message_qos": "Birth bericht QoS",
+ "birth_message_retain": "Birth bericht vasthouden",
+ "birth_message_topic": "Birth bericht topic",
+ "enable_discovery": "Discovery inschakelen",
+ "discovery_prefix": "Discovery-voorvoegsel",
+ "enable_will_message": "Will bericht inschakelen",
+ "will_message_payload": "Will bericht inhoud",
+ "will_message_qos": "Will bericht QoS",
+ "will_message_retain": "Will bericht vasthouden",
+ "will_message_topic": "Will bericht topic",
+ "data_description_discovery": "Optie om de automatische ontdekking MQTT apparaten in te schakelen.",
+ "mqtt_options": "MQTT-opties",
+ "passive_scanning": "Passief scannen",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Taalcode",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "data_app_delete": "Check to delete this application",
+ "application_icon": "Application icon",
+ "application_id": "Application ID",
+ "application_name": "Application name",
+ "configure_application_id_app_id": "Configure application ID {app_id}",
+ "configure_android_apps": "Configure Android apps",
+ "configure_applications_list": "Configure applications list",
"ignore_cec": "Negeer CEC",
"allowed_uuids": "Toegestane UUID's",
"advanced_google_cast_configuration": "Geavanceerde Google Cast configuratie",
+ "allow_deconz_clip_sensors": "DeCONZ CLIP sensoren toestaan",
+ "allow_deconz_light_groups": "Sta deCONZ-lichtgroepen toe",
+ "data_allow_new_devices": "Sta automatische toevoeging van nieuwe apparaten toe",
+ "deconz_devices_description": "Configureer de zichtbaarheid van deCONZ-apparaattypen",
+ "deconz_options": "deCONZ opties",
+ "select_test_server": "Selecteer testserver",
+ "data_calendar_access": "Home Assistant-toegang tot Google Agenda",
+ "bluetooth_scanner_mode": "Bluetooth scannermodus",
"device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
"not_supported": "Not Supported",
"localtuya_configuration": "LocalTuya Configuration",
@@ -2460,10 +2815,9 @@
"data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
"data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
"data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
"configure_tuya_device": "Configure Tuya device",
"configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Apparaat ID",
+ "device_id": "Device ID",
"local_key": "Local key",
"protocol_version": "Protocol Version",
"data_entities": "Entities (uncheck an entity to remove it)",
@@ -2532,93 +2886,13 @@
"enable_heuristic_action_optional": "Enable heuristic action (optional)",
"data_dps_default_value": "Default value when un-initialised (optional)",
"minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant-toegang tot Google Agenda",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passief scannen",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker opties",
- "enable_birth_message": "Birth bericht inschakelen",
- "birth_message_payload": "Birth bericht inhoud",
- "birth_message_qos": "Birth bericht QoS",
- "birth_message_retain": "Birth bericht vasthouden",
- "birth_message_topic": "Birth bericht topic",
- "enable_discovery": "Discovery inschakelen",
- "discovery_prefix": "Discovery-voorvoegsel",
- "enable_will_message": "Will bericht inschakelen",
- "will_message_payload": "Will bericht inhoud",
- "will_message_qos": "Will bericht QoS",
- "will_message_retain": "Will bericht vasthouden",
- "will_message_topic": "Will bericht topic",
- "data_description_discovery": "Optie om de automatische ontdekking MQTT apparaten in te schakelen.",
- "mqtt_options": "MQTT-opties",
"data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
"data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "DeCONZ CLIP sensoren toestaan",
- "allow_deconz_light_groups": "Sta deCONZ-lichtgroepen toe",
- "data_allow_new_devices": "Sta automatische toevoeging van nieuwe apparaten toe",
- "deconz_devices_description": "Configureer de zichtbaarheid van deCONZ-apparaattypen",
- "deconz_options": "deCONZ opties",
- "data_app_delete": "Check to delete this application",
- "application_icon": "Application icon",
- "application_id": "Application ID",
- "application_name": "Application name",
- "configure_application_id_app_id": "Configure application ID {app_id}",
- "configure_android_apps": "Configure Android apps",
- "configure_applications_list": "Configure applications list",
- "invalid_url": "Ongeldige URL",
- "data_browse_unfiltered": "Incompatibele media weergeven tijdens browsen",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Poort om naar gebeurtenissen te luisteren (willekeurige poort indien niet ingesteld)",
- "poll_for_device_availability": "Pollen voor apparaat beschikbaarheid",
- "init_title": "DLNA Digital Media Renderer instellingen",
- "protocol": "Protocol",
- "language_code": "Taalcode",
- "bluetooth_scanner_mode": "Bluetooth scannermodus",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Aantal herhalingen",
- "select_test_server": "Selecteer testserver",
- "toggle_entity_name": "Zet {entity_name} aan/uit",
- "turn_off_entity_name": "{entity_name} uitzetten",
- "turn_on_entity_name": "{entity_name} aanzetten",
- "entity_name_is_off": "{entity_name} is uitgeschakeld",
- "entity_name_is_on": "{entity_name} is ingeschakeld",
- "trigger_type_changed_states": "{entity_name} aan- of uitgezet",
- "entity_name_turned_off": "{entity_name} uitgezet",
- "entity_name_turned_on": "{entity_name} aangezet",
+ "reconfigure_zha": "ZHA opnieuw configureren",
+ "unplug_your_old_radio": "Loskoppellen van je oude toegangspunt",
+ "intent_migrate_title": "Migreren naar een nieuw toegangspunt",
+ "re_configure_the_current_radio": "Herconfigureren van het bestaande toegangspunt",
+ "migrate_or_re_configure": "Migreren of herconfigureren",
"current_entity_name_apparent_power": "Huidig {entity_name} schijnbaar vermogen",
"condition_type_is_aqi": "Huidige {entity_name} luchtkwaliteitsindex",
"current_entity_name_area": "Current {entity_name} area",
@@ -2713,6 +2987,58 @@
"entity_name_water_changes": "{entity_name} water wijzigingen",
"entity_name_weight_changes": "Gewicht van {entity_name} veranderd",
"entity_name_wind_speed_changes": "{entity_name} windsnelheid verandert",
+ "decrease_entity_name_brightness": "Verlaag de helderheid van {entity_name}",
+ "increase_entity_name_brightness": "Verhoog de helderheid van {entity_name}",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Zet {entity_name} aan/uit",
+ "turn_off_entity_name": "{entity_name} uitzetten",
+ "turn_on_entity_name": "{entity_name} aanzetten",
+ "entity_name_is_off": "{entity_name} is uitgeschakeld",
+ "entity_name_is_on": "{entity_name} is ingeschakeld",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} aan- of uitgezet",
+ "entity_name_turned_off": "{entity_name} uitgezet",
+ "entity_name_turned_on": "{entity_name} aangezet",
+ "set_value_for_entity_name": "Stel waarde in voor {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update beschikbaarheid gewijzigd",
+ "entity_name_became_up_to_date": "{entity_name} werd geüpdatet",
+ "trigger_type_turned_on": "{entity_name} heeft een update beschikbaar",
+ "first_button": "Eerste knop",
+ "second_button": "Tweede knop",
+ "third_button": "Derde knop",
+ "fourth_button": "Vierde knop",
+ "fifth_button": "Vijfde knop",
+ "sixth_button": "Zesde knop",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" losgelaten na lang indrukken",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" knop ingedrukt",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} is thuis",
+ "entity_name_is_not_home": "{entity_name} is niet thuis",
+ "entity_name_enters_a_zone": "{entity_name} gaat een zone binnen",
+ "entity_name_leaves_a_zone": "{entity_name} verlaat een zone",
+ "press_entity_name_button": "Druk op de knop {entity_name}",
+ "entity_name_has_been_pressed": "{entity_name} is ingedrukt",
+ "let_entity_name_clean": "Laat {entity_name} schoonmaken",
+ "action_type_dock": "Laat {entity_name} terugkeren naar het basisstation",
+ "entity_name_is_cleaning": "{entity_name} is aan het schoonmaken",
+ "entity_name_docked": "{entity_name} is bij basisstation",
+ "entity_name_started_cleaning": "{entity_name} begon met schoonmaken",
+ "send_a_notification": "Een melding sturen",
+ "lock_entity_name": "Vergrendel {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Ontgrendel {entity_name}",
+ "entity_name_is_locked": "{entity_name} is vergrendeld",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is ontgrendeld",
+ "entity_name_locked": "{entity_name} vergrendeld",
+ "entity_name_opened": "{entity_name} geopend",
+ "entity_name_unlocked": "{entity_name} ontgrendeld",
"action_type_set_hvac_mode": "Wijzig de HVAC-modus op {entity_name}",
"change_preset_on_entity_name": "Wijzig voorinstelling op {entity_name}",
"hvac_mode": "HVAC-modus",
@@ -2720,8 +3046,20 @@
"entity_name_measured_humidity_changed": "{entity_name} gemeten vochtigheid veranderd",
"entity_name_measured_temperature_changed": "{entity_name} gemeten temperatuur veranderd",
"entity_name_hvac_mode_changed": "{entity_name} HVAC-modus gewijzigd",
- "set_value_for_entity_name": "Set waarde in voor {entity_name}",
- "value": "Value",
+ "close_entity_name": "Sluit {entity_name}",
+ "close_entity_name_tilt": "Sluit de kanteling van {entity_name}",
+ "open_entity_name_tilt": "Open de kanteling {entity_name}",
+ "set_entity_name_position": "Stel de positie van {entity_name} in",
+ "set_entity_name_tilt_position": "Stel de kantelpositie van {entity_name} in",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} is gesloten",
+ "entity_name_closing": "{entity_name} wordt gesloten",
+ "entity_name_opening": "{entity_name} wordt geopend",
+ "current_entity_name_position_is": "Huidige {entity_name} positie is",
+ "condition_type_is_tilt_position": "Huidige {entity_name} kantel positie is",
+ "entity_name_closed": "{entity_name} gesloten",
+ "entity_name_position_changes": "{entity_name} positiewijzigingen",
+ "entity_name_tilt_position_changes": "{entity_name} kantel positiewijzigingen",
"entity_name_battery_is_low": "{entity_name} batterij is bijna leeg",
"entity_name_is_charging": "{entity_name} is aan het opladen",
"condition_type_is_co": "{entity_name} detecteert koolmonoxide",
@@ -2730,7 +3068,6 @@
"entity_name_is_detecting_gas": "{entity_name} detecteert gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} detecteert licht",
- "entity_name_is_locked": "{entity_name} is vergrendeld",
"entity_name_is_moist": "{entity_name} is vochtig",
"entity_name_is_detecting_motion": "{entity_name} detecteert beweging",
"entity_name_is_moving": "{entity_name} is in beweging",
@@ -2748,11 +3085,9 @@
"entity_name_is_not_cold": "{entity_name} is niet koud",
"entity_name_is_disconnected": "{entity_name} is niet verbonden",
"entity_name_is_not_hot": "{entity_name} is niet heet",
- "entity_name_is_unlocked": "{entity_name} is ontgrendeld",
"entity_name_is_dry": "{entity_name} is droog",
"entity_name_is_not_moving": "{entity_name} beweegt niet",
"entity_name_is_not_occupied": "{entity_name} is niet bezet",
- "entity_name_is_closed": "{entity_name} is gesloten",
"entity_name_is_unplugged": "{entity_name} is niet aangesloten",
"entity_name_is_not_powered": "{entity_name} is niet van stroom voorzien...",
"entity_name_not_present": "{entity_name} is niet aanwezig",
@@ -2760,7 +3095,6 @@
"condition_type_is_not_tampered": "{entity_name} detecteert geen sabotage",
"entity_name_is_safe": "{entity_name} is veilig",
"entity_name_is_occupied": "{entity_name} bezet is",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is aangesloten",
"entity_name_is_powered": "{entity_name} is van stroom voorzien....",
"entity_name_is_present": "{entity_name} is aanwezig",
@@ -2770,7 +3104,6 @@
"entity_name_is_detecting_sound": "{entity_name} detecteert geluid",
"entity_name_is_detecting_tampering": "{entity_name} detecteert sabotage",
"entity_name_is_unsafe": "{entity_name} is onveilig",
- "trigger_type_turned_on": "{entity_name} heeft een update beschikbaar",
"entity_name_is_detecting_vibration": "{entity_name} detecteert trillingen",
"entity_name_battery_low": "{entity_name} batterij bijna leeg",
"entity_name_charging": "{entity_name} laadt op",
@@ -2780,7 +3113,6 @@
"entity_name_started_detecting_gas": "{entity_name} begon gas te detecteren",
"entity_name_became_hot": "{entity_name} werd heet",
"entity_name_started_detecting_light": "{entity_name} begon licht te detecteren",
- "entity_name_locked": "{entity_name} vergrendeld",
"entity_name_became_moist": "{entity_name} werd vochtig",
"entity_name_started_detecting_motion": "{entity_name} begon beweging te detecteren",
"entity_name_started_moving": "{entity_name} begon te bewegen",
@@ -2791,23 +3123,19 @@
"entity_name_stopped_detecting_problem": "{entity_name} gestopt met het detecteren van het probleem",
"entity_name_stopped_detecting_smoke": "{entity_name} gestopt met het detecteren van rook",
"entity_name_stopped_detecting_sound": "{entity_name} gestopt met het detecteren van geluid",
- "entity_name_became_up_to_date": "{entity_name} werd up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} gestopt met het detecteren van trillingen",
"entity_name_battery_normal": "{entity_name} batterij normaal",
"entity_name_became_not_cold": "{entity_name} werd niet koud",
"entity_name_disconnected": "{entity_name} verbroken",
"entity_name_became_not_hot": "{entity_name} werd niet warm",
- "entity_name_unlocked": "{entity_name} ontgrendeld",
"entity_name_became_dry": "{entity_name} werd droog",
"entity_name_stopped_moving": "{entity_name} gestopt met bewegen",
"entity_name_became_not_occupied": "{entity_name} werd niet bezet",
- "entity_name_closed": "{entity_name} gesloten",
"entity_name_unplugged": "{entity_name} niet verbonden",
"entity_name_not_powered": "{entity_name} niet ingeschakeld",
"entity_name_stopped_detecting_tampering": "{entity_name} gestopt met het detecteren van sabotage",
"entity_name_became_safe": "{entity_name} werd veilig",
"entity_name_became_occupied": "{entity_name} werd bezet",
- "entity_name_opened": "{entity_name} geopend",
"entity_name_plugged_in": "{entity_name} aangesloten",
"entity_name_powered": "{entity_name} heeft vermogen",
"entity_name_present": "{entity_name} aanwezig",
@@ -2826,32 +3154,6 @@
"entity_name_starts_buffering": "{entity_name} start met bufferen",
"entity_name_becomes_idle": "{entity_name} wordt inactief",
"entity_name_starts_playing": "{entity_name} begint te spelen",
- "entity_name_is_home": "{entity_name} is thuis",
- "entity_name_is_not_home": "{entity_name} is niet thuis",
- "entity_name_enters_a_zone": "{entity_name} gaat een zone binnen",
- "entity_name_leaves_a_zone": "{entity_name} verlaat een zone",
- "decrease_entity_name_brightness": "Verlaag de helderheid van {entity_name}",
- "increase_entity_name_brightness": "Verhoog de helderheid van {entity_name}",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update beschikbaarheid gewijzigd",
- "arm_entity_name_away": "Schakel {entity_name} in voor vertrek",
- "arm_entity_name_home": "Schakel {entity_name} in voor thuis",
- "arm_entity_name_night": "Schakel {entity_name} in voor 's nachts",
- "arm_entity_name_vacation": "Schakel {entity_name} in voor vakantie",
- "disarm_entity_name": "Schakel {entity_name} uit",
- "trigger_entity_name": "Laat {entity_name} afgaan",
- "entity_name_armed_away": "{entity_name} ingeschakeld voor vertrek",
- "entity_name_armed_home": "{entity_name} ingeschakeld voor thuis",
- "entity_name_is_armed_night": "{entity_name} is ingeschakeld voor 's nachts",
- "entity_name_is_armed_vacation": "{entity_name} is ingeschakeld voor vakantie",
- "entity_name_is_triggered": "{entity_name} gaat af",
- "entity_name_armed_night": "{entity_name} ingeschakeld voor 's nachts",
- "entity_name_armed_vacation": "{entity_name} schakelde in voor vakantie",
- "entity_name_disarmed": "{entity_name} uitgeschakeld",
- "entity_name_triggered": "{entity_name} afgegaan",
- "press_entity_name_button": "Druk op de knop {entity_name}",
- "entity_name_has_been_pressed": "{entity_name} is ingedrukt",
"action_type_select_first": "Verander {entity_name} naar de eerst optie",
"action_type_select_last": "Verander {entity_name} naar de laatste optie",
"action_type_select_next": "Verander {entity_name} naar de volgende optie",
@@ -2861,33 +3163,6 @@
"cycle": "Roteren",
"from": "From",
"entity_name_option_changed": "{entity_name} optie veranderd",
- "close_entity_name": "Sluit {entity_name}",
- "close_entity_name_tilt": "Sluit de kanteling van {entity_name}",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Open de kanteling {entity_name}",
- "set_entity_name_position": "Stel de positie van {entity_name} in",
- "set_entity_name_tilt_position": "Stel de kantelpositie van {entity_name} in",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_closing": "{entity_name} wordt gesloten",
- "entity_name_opening": "{entity_name} wordt geopend",
- "current_entity_name_position_is": "Huidige {entity_name} positie is",
- "condition_type_is_tilt_position": "Huidige {entity_name} kantel positie is",
- "entity_name_position_changes": "{entity_name} positiewijzigingen",
- "entity_name_tilt_position_changes": "{entity_name} kantel positiewijzigingen",
- "first_button": "Eerste knop",
- "second_button": "Tweede knop",
- "third_button": "Derde knop",
- "fourth_button": "Vierde knop",
- "fifth_button": "Vijfde knop",
- "sixth_button": "Zesde knop",
- "subtype_double_clicked": "{subtype} dubbel geklikt",
- "subtype_continuously_pressed": "\" {subtype} \" continu ingedrukt",
- "trigger_type_button_long_release": "\"{subtype}\" losgelaten na lang indrukken",
- "subtype_quadruple_clicked": "\" {subtype} \" vier keer aangeklikt",
- "subtype_quintuple_clicked": "\" {subtype} \" vijf keer aangeklikt",
- "subtype_pressed": "\"{subtype}\" knop ingedrukt",
- "subtype_released": "\"{subtype}\" losgelaten",
- "subtype_triple_clicked": "{subtype} driemaal geklikt",
"both_buttons": "Beide knoppen",
"bottom_buttons": "Onderste knoppen",
"seventh_button": "Zevende knop",
@@ -2899,6 +3174,7 @@
"side": "Zijde 6",
"top_buttons": "Bovenste knoppen",
"device_awakened": "Apparaat is gewekt",
+ "trigger_type_remote_button_long_release": "\"{subtype}\" released after long press",
"button_rotated_subtype": "Knop gedraaid \" {subtype} \"",
"button_rotated_fast_subtype": "Knop is snel gedraaid \" {subtype} \"",
"button_rotation_subtype_stopped": "Knoprotatie \" {subtype} \" gestopt",
@@ -2912,12 +3188,6 @@
"trigger_type_remote_rotate_from_side": "Apparaat gedraaid van \"zijde 6\" naar \" {subtype} \"",
"device_turned_clockwise": "Apparaat met de klok mee gedraaid",
"device_turned_counter_clockwise": "Apparaat tegen de klok in gedraaid",
- "send_a_notification": "Een melding sturen",
- "let_entity_name_clean": "Laat {entity_name} schoonmaken",
- "action_type_dock": "Laat {entity_name} terugkeren naar het basisstation",
- "entity_name_is_cleaning": "{entity_name} is aan het schoonmaken",
- "entity_name_docked": "{entity_name} is bij basisstation",
- "entity_name_started_cleaning": "{entity_name} begon met schoonmaken",
"subtype_button_down": "{subtype} knop omlaag",
"subtype_button_up": "{subtype} knop omhoog",
"subtype_double_push": "{subtype} dubbel gedrukt",
@@ -2928,28 +3198,51 @@
"trigger_type_single_long": "{subtype} een keer geklikt en daarna lang geklikt",
"subtype_single_push": "{subtype} enkelvoudig gedrukt",
"subtype_triple_push": "{subtype} drievoudig gedrukt",
- "lock_entity_name": "Vergrendel {entity_name}",
- "unlock_entity_name": "Ontgrendel {entity_name}",
+ "arm_entity_name_away": "Schakel {entity_name} in voor vertrek",
+ "arm_entity_name_home": "Schakel {entity_name} in voor thuis",
+ "arm_entity_name_night": "Schakel {entity_name} in voor 's nachts",
+ "arm_entity_name_vacation": "Schakel {entity_name} in voor vakantie",
+ "disarm_entity_name": "Schakel {entity_name} uit",
+ "trigger_entity_name": "Laat {entity_name} afgaan",
+ "entity_name_armed_away": "{entity_name} ingeschakeld voor vertrek",
+ "entity_name_armed_home": "{entity_name} ingeschakeld voor thuis",
+ "entity_name_is_armed_night": "{entity_name} is ingeschakeld voor 's nachts",
+ "entity_name_is_armed_vacation": "{entity_name} is ingeschakeld voor vakantie",
+ "entity_name_is_triggered": "{entity_name} gaat af",
+ "entity_name_armed_night": "{entity_name} ingeschakeld voor 's nachts",
+ "entity_name_armed_vacation": "{entity_name} schakelde in voor vakantie",
+ "entity_name_disarmed": "{entity_name} uitgeschakeld",
+ "entity_name_triggered": "{entity_name} afgegaan",
+ "action_type_issue_all_led_effect": "Effect toepassen voor alle LED's",
+ "action_type_issue_individual_led_effect": "Effect toepassen voor individuele LED",
+ "squawk": "Schreeuw",
+ "warn": "Waarschuwen",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "Met elk/opgegeven gezicht(en) geactiveerd",
+ "device_dropped": "Apparaat gevallen",
+ "device_flipped_subtype": "Apparaat omgedraaid \"{subtype}\"",
+ "device_knocked_subtype": "Apparaat klopte \"{subtype}\"",
+ "device_offline": "Apparaat offline",
+ "device_rotated_subtype": "Apparaat gedraaid \" {subtype} \"",
+ "device_slid_subtype": "Apparaat geschoven \"{subtype}\"\".",
+ "device_tilted": "Apparaat gekanteld",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Toevoegen aan wachtrij",
"play_next": "Volgende afspelen",
"options_replace": "Nu afspelen en wachtrij wissen",
"repeat_all": "Herhaal alles",
"repeat_one": "Herhaal één",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "Geen meeteenheid",
- "critical": "Kritiek",
- "debug": "Debug",
- "warning": "Waarschuwing",
- "create_an_empty_calendar": "Maak een lege kalender",
- "options_import_ics_file": "Upload een iCalendar bestand (.ics)",
- "passive": "Passief",
- "most_recently_updated": "Meest recent bijgewerkt",
- "arithmetic_mean": "Rekenkundig gemiddelde",
- "median": "Mediaan",
- "product": "Product",
- "statistical_range": "Statistisch bereik",
- "standard_deviation": "Standard deviation",
- "fatal": "Fataal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aquamarine": "Aquamarijn",
@@ -3071,51 +3364,21 @@
"wheat": "Tarwe",
"white_smoke": "Witte rook",
"yellow_green": "Geelgroen",
- "sets_the_value": "Stelt de waarde in.",
- "the_target_value": "De doelwaarde.",
- "command": "Command",
- "device_description": "Apparaat-ID waarnaar de opdracht moet worden verzonden.",
- "delete_command": "Opdracht verwijderen",
- "alternative": "Alternatief",
- "command_type_description": "Het soort opdracht dat geleerd moet worden.",
- "command_type": "Type opdracht",
- "timeout_description": "Time-out voor het leren van de opdracht.",
- "learn_command": "Opdracht leren",
- "delay_seconds": "Vertraging seconden",
- "hold_seconds": "Seconden vasthouden",
- "repeats": "Herhalingen",
- "send_command": "Opdracht verzenden",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Zet een of meerdere lampen uit.",
- "turn_on_description": "Start een nieuwe schoonmaaktaak.",
- "set_datetime_description": "Stelt de datum en/of tijd in.",
- "the_target_date": "De doeldatum.",
- "datetime_description": "De doeldatum en -tijd.",
- "the_target_time": "De doeltijd.",
- "creates_a_new_backup": "Maakt een nieuwe back-up.",
- "apply_description": "Activeert een scène met configuratie.",
- "entities_description": "Lijst van entiteiten en hun doelstatus.",
- "entities_state": "Entiteiten status",
- "transition": "Transition",
- "apply": "Toepassen",
- "creates_a_new_scene": "Creëert een nieuwe scène.",
- "scene_id_description": "De entiteits-ID van de nieuwe scène.",
- "scene_entity_id": "Scène entiteit ID",
- "snapshot_entities": "Snapshot entiteiten",
- "delete_description": "Verwijdert een dynamisch aangemaakte scène.",
- "activates_a_scene": "Activeert een scène.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Doelpositie.",
- "set_position": "Positie instellen",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard pad",
- "view_path": "Pad bekijken",
- "show_dashboard_view": "Dashboardweergave weergeven",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Kritiek",
+ "debug": "Debug",
+ "warning": "Waarschuwing",
+ "passive": "Passief",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "Geen meeteenheid",
+ "fatal": "Fataal",
+ "most_recently_updated": "Meest recent bijgewerkt",
+ "arithmetic_mean": "Rekenkundig gemiddelde",
+ "median": "Mediaan",
+ "product": "Product",
+ "statistical_range": "Statistisch bereik",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Maak een lege kalender",
+ "options_import_ics_file": "Upload een iCalendar bestand (.ics)",
"sets_a_random_effect": "Stelt een willekeurig effect in.",
"sequence_description": "Lijst met HSV sequenties (max 16).",
"backgrounds": "Achtergronden",
@@ -3131,111 +3394,23 @@
"range_of_saturation": "Bereik van verzadiging.",
"saturation_range": "Verzadiging bereik",
"segments_description": "Lijst met segmenten (0 voor alle).",
- "segments": "Segmenten",
- "range_of_transition": "Bereik van overgang.",
- "transition_range": "Overgangsbereik",
- "random_effect": "Willekeurig effect",
- "sets_a_sequence_effect": "Stelt een sequentie-effect in.",
- "repetitions_for_continuous": "Herhalingen (0 voor continu).",
- "sequence": "Sequentie",
- "speed_of_spread": "Snelheid van verspreiden.",
- "spread": "Verspreiden",
- "sequence_effect": "Sequentie effect",
- "check_configuration": "Controleer configuratie",
- "reload_all": "Alles herladen",
- "reload_config_entry_description": "Herlaad de specifieke config-entry.",
- "config_entry_id": "Config-entry ID",
- "reload_config_entry": "Herladen config-entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Kern-configuratie opnieuw laden",
- "reload_custom_jinja_templates": "Herlaad aangepaste Jinja2-sjablonen",
- "restarts_home_assistant": "Herstart Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Blijvende toestanden opslaan",
- "set_location_description": "Werkt de Home Assistant locatie bij.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Breedtegraad van je locatie.",
- "longitude_of_your_location": "Lengtegraad van je locatie.",
- "set_location": "Locatie instellen",
- "stops_home_assistant": "Stopt Home Assistant.",
- "generic_toggle": "Generiek omschaken",
- "generic_turn_off": "Generiek uitschakelen",
- "generic_turn_on": "Generiek inschakelen",
- "entity_id_description": "Entiteit om naar te verwijzen in de logboekvermelding.",
- "entities_to_update": "Entities to update",
- "update_entity": "Bijwerken entiteit",
- "turns_auxiliary_heater_on_off": "Zet de hulpverwarming aan/uit.",
- "aux_heat_description": "Nieuwe waarde van de hulpverwarming.",
- "auxiliary_heating": "Hulpverwarming",
- "turn_on_off_auxiliary_heater": "Hulpverwarming aan-/uitzetten",
- "sets_fan_operation_mode": "Ventilator bedrijfsmode instellen.",
- "fan_operation_mode": "Ventilator bedrijfsmode.",
- "set_fan_mode": "Ventilatormode instellen",
- "sets_target_humidity": "Stelt doelluchtvochtigheid in.",
- "set_target_humidity": "Stel doelluchtvochtigheid in",
- "sets_hvac_operation_mode": "Stelt de HVAC-bedrijfsmode in.",
- "hvac_operation_mode": "HVAC-bedrijfsmodus.",
- "set_hvac_mode": "HVAC-mode instellen",
- "sets_preset_mode": "Stelt de vooraf ingestelde mode in.",
- "set_preset_mode": "Stel de vooringestelde modus in",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Zwenkmodus.",
- "set_swing_mode": "Stel de swing-modus in",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Stel de doeltemperatuur in",
- "turns_climate_device_off": "Zet klimaatapparaat uit.",
- "turns_climate_device_on": "Zet klimaatapparaat aan.",
- "decrement_description": "Verlaagt de huidige waarde met 1 stap.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Stelt de waarde van een getal in.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Afspeellijst wissen",
- "selects_the_next_track": "Selecteert de volgende track.",
- "pauses": "Pauzeert.",
- "starts_playing": "Start afspelen.",
- "toggles_play_pause": "Schakelt afspelen/pauzeren.",
- "selects_the_previous_track": "Selecteert de vorige track.",
- "seek": "Zoeken",
- "stops_playing": "Stop afspelen.",
- "starts_playing_specified_media": "Start het afspelen van gespecificeerde media.",
- "announce": "Announce",
- "repeat_mode_to_set": "Herhaalmodus om in te stellen.",
- "select_sound_mode_description": "Selecteert een specifieke geluidsmodus.",
- "select_sound_mode": "Selecteer de geluidsmodus",
- "select_source": "Selecteer bron",
- "shuffle_description": "Of de shufflemodus wel of niet is ingeschakeld.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Ontkoppel",
- "turns_down_the_volume": "Zet het volume lager.",
- "turn_down_volume": "Zet het volume lager",
- "volume_mute_description": "Dempt het geluid van de mediaspeler aan of uit.",
- "is_volume_muted_description": "Definieert of het wel of niet gedempt is.",
- "mute_unmute_volume": "Volume dempen/dempen opheffen",
- "sets_the_volume_level": "Stelt het volume in.",
- "level": "Niveau",
- "set_volume": "Volume instellen",
- "turns_up_the_volume": "Zet het volume hoger.",
- "turn_up_volume": "Zet het volume hoger",
- "battery_description": "Batterijniveau van het apparaat.",
- "gps_coordinates": "GPS coördinaten",
- "gps_accuracy_description": "Nauwkeurigheid van de GPS coördinaten.",
- "hostname_of_the_device": "Hostnaam van een apparaat",
- "hostname": "Hostnaam",
- "mac_description": "MAC adres van het apparaat.",
- "see": "Gezien",
+ "segments": "Segmenten",
+ "transition": "Overgang",
+ "range_of_transition": "Bereik van overgang.",
+ "transition_range": "Overgangsbereik",
+ "random_effect": "Willekeurig effect",
+ "sets_a_sequence_effect": "Stelt een sequentie-effect in.",
+ "repetitions_for_continuous": "Herhalingen (0 voor continu).",
+ "repeats": "Herhalingen",
+ "sequence": "Sequentie",
+ "speed_of_spread": "Snelheid van verspreiden.",
+ "spread": "Verspreiden",
+ "sequence_effect": "Sequentie effect",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Schakelt de sirene om.",
+ "turns_the_siren_off": "Schakelt de sirene uit.",
+ "turns_the_siren_on": "Schakelt de sirene in.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3248,26 +3423,68 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
"brightness_step_value": "Brightness step value",
"brightness_step_pct_description": "Change brightness by a percentage.",
"brightness_step": "Brightness step",
- "add_event_description": "Voegt nieuwe gebeurtenis toe aan agenda.",
- "calendar_id_description": "Het ID van de agenda van je keuze.",
- "calendar_id": "Agenda ID",
- "description_description": "Omschrijvung van de gebeurtenis. Optioneel.",
- "summary_description": "Gedraagt zich als de titel van de gebeurtenis.",
- "create_event_description": "Voegt een nieuwe kalendergebeurtenis toe.",
- "location_description": "De locatie van het evenement.",
- "create_event": "Creëer evenement",
- "apply_filter": "Filter toepassen",
- "days_to_keep": "Dagen om te bewaren",
- "repack": "Herverpakken",
- "purge": "Opschonen",
- "domains_to_remove": "Domeinen om te verwijderen",
- "entity_globs_to_remove": "Entiteitsglobs om te verwijderen",
- "entities_to_remove": "Te verwijderen entiteiten",
- "purge_entities": "Entiteiten opschonen",
+ "toggles_the_helper_on_off": "Schakelt de helper in/uit.",
+ "turns_off_the_helper": "Schakelt de helper uit.",
+ "turns_on_the_helper": "Schakelt de helper in.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "creates_a_new_backup": "Maakt een nieuwe back-up.",
+ "sets_the_value": "Stelt de waarde in.",
+ "enter_your_text": "Voer je tekst in.",
+ "set_value": "Waarde instellen",
+ "clear_lock_user_code_description": "Verwijdert een gebruikerscode van een slot.",
+ "code_slot_description": "Codeslot om de code in te stellen.",
+ "code_slot": "Codeslot",
+ "clear_lock_user": "Wis een gebruikerscode van het slot",
+ "disable_lock_user_code_description": "Schakelt een gebruikerscode op een slot uit.",
+ "code_slot_to_disable": "Code slot om uit te schakelen.",
+ "disable_lock_user": "Uitschakelen gebruiker op slot.",
+ "enable_lock_user_code_description": "Inschakelen van gebruikerscode op een slot.",
+ "code_slot_to_enable": "Codeslot om in te schakelen.",
+ "enable_lock_user": "Inschakelen slot gebruiker",
+ "args_description": "Argumenten om door te geven aan het commando.",
+ "args": "Args",
+ "cluster_id_description": "ZCL-cluster om attributen voor op te halen.",
+ "cluster_id": "Cluster-ID",
+ "type_of_the_cluster": "Type van het cluster.",
+ "cluster_type": "Type cluster",
+ "command_description": "Commando('s) om te sturen naar Google Assistant",
+ "command": "Command",
+ "command_type_description": "Het soort opdracht dat geleerd moet worden.",
+ "command_type": "Type opdracht",
+ "endpoint_id_description": "Eindpunt-ID voor het cluster.",
+ "endpoint_id": "Eindpunt-ID",
+ "ieee_description": "IEEE-adres voor het apparaat.",
+ "ieee": "IEEE",
+ "manufacturer": "Fabrikant",
+ "params_description": "Parameters om door te geven aan de opdracht.",
+ "params": "Parameters",
+ "issue_zigbee_cluster_command": "Geef Zigbee cluster opdracht",
+ "group_description": "Hexadecimaal adres van de groep.",
+ "issue_zigbee_group_command": "Geef Zigbee groepsopdracht",
+ "permit_description": "Staat nodes toe om zich aan te sluiten bij het Zigbee-netwerk.",
+ "time_to_permit_joins": "Tijd om deelnames toe te staan.",
+ "install_code": "Installeer code",
+ "qr_code": "QR-code",
+ "source_ieee": "Bron IEEE",
+ "permit": "Toestaan",
+ "remove_description": "Verwijdert een node uit het Zigbee-netwerk.",
+ "set_lock_user_code_description": "Stelt een gebruikerscode in op een slot.",
+ "code_to_set": "In te stellen code.",
+ "set_lock_user_code": "Gebruikerscode slot instellen",
+ "attribute_description": "ID van het in te stellen attribuut.",
+ "value_description": "De in te stellen doelwaarde.",
+ "set_zigbee_cluster_attribute": "Zigbee clusterattribuut instellen",
+ "level": "Niveau",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Waarschuwingsapparaat squawk",
+ "duty_cycle": "Inschakelduur",
+ "intensity": "Intensiteit",
+ "warning_device_starts_alert": "Waarschuwingsapparaat start alarm",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3293,26 +3510,303 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Stelt het standaard logniveau voor integraties in.",
+ "level_description": "Standaard logniveau voor alle integraties.",
+ "set_default_level": "Stel net standaardniveau in",
+ "set_level": "Niveau instellen",
+ "stops_a_running_script": "Stopt een lopend script.",
+ "clear_skipped_update": "Overgeslagen updates wissen",
+ "install_update": "Update installeren",
+ "skip_description": "Markeert de momenteel beschikbare update als overgeslagen.",
+ "skip_update": "Update overslaan",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Verlaag snelheid",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Snelheid verhogen",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Richting instellen",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Snelheid van de ventilator.",
+ "percentage": "Percentage",
+ "set_speed": "Snelheid instellen",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Vooraf ingestelde modus.",
+ "set_preset_mode": "Stel de vooraf ingestelde mode in",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Ventilator uitschakelen.",
+ "turns_fan_on": "Ventilator inschakelen.",
+ "set_datetime_description": "Stelt de datum en/of tijd in.",
+ "the_target_date": "De doeldatum.",
+ "datetime_description": "De doeldatum en -tijd.",
+ "the_target_time": "De doeltijd.",
+ "log_description": "Maakt een aangepaste vermelding in het logboek.",
+ "entity_id_description": "Mediaspelers om het bericht af te spelen.",
+ "message_description": "Berichttekst van de melding.",
+ "log": "Log",
+ "request_sync_description": "Stuurt een request_sync commando naar Google.",
+ "agent_user_id": "Agent gebruiker-ID",
+ "request_sync": "Vraag om synchronisatie",
+ "apply_description": "Activeert een scène met configuratie.",
+ "entities_description": "Lijst van entiteiten en hun doelstatus.",
+ "entities_state": "Entiteiten status",
+ "apply": "Toepassen",
+ "creates_a_new_scene": "Creëert een nieuwe scène.",
+ "entity_states": "Entity states",
+ "scene_id_description": "De entiteits-ID van de nieuwe scène.",
+ "scene_entity_id": "Scène entiteit ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Verwijdert een dynamisch aangemaakte scène.",
+ "activates_a_scene": "Activeert een scène.",
"reload_themes_description": "Herlaadt thema's vanaf de YAML-configuratie.",
"reload_themes": "Herladen thema's.",
"name_of_a_theme": "Naam van het thema.",
"set_the_default_theme": "Standaard thema instellen",
+ "decrement_description": "Verlaagt de huidige waarde met 1 stap.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Stelt de waarde van een getal in.",
+ "check_configuration": "Controleer configuratie",
+ "reload_all": "Alles herladen",
+ "reload_config_entry_description": "Herlaad de specifieke config-entry.",
+ "config_entry_id": "Config-entry ID",
+ "reload_config_entry": "Herladen config-entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Kern-configuratie opnieuw laden",
+ "reload_custom_jinja_templates": "Herlaad aangepaste Jinja2-sjablonen",
+ "restarts_home_assistant": "Herstart Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Blijvende toestanden opslaan",
+ "set_location_description": "Werkt de Home Assistant locatie bij.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Breedtegraad van je locatie.",
+ "longitude_of_your_location": "Lengtegraad van je locatie.",
+ "set_location": "Locatie instellen",
+ "stops_home_assistant": "Stopt Home Assistant.",
+ "generic_toggle": "Generiek omschaken",
+ "generic_turn_off": "Generiek uitschakelen",
+ "generic_turn_on": "Generiek inschakelen",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Bijwerken entiteit",
+ "notify_description": "Stuurt een meldingsbericht naar geselecteerde ontvangers.",
+ "data": "Gegevens",
+ "title_for_your_notification": "Titel van je melding",
+ "title_of_the_notification": "Titel van de melding.",
+ "send_a_persistent_notification": "Een blijvende melding sturen",
+ "sends_a_notification_message": "Verstuurt een meldingsbericht",
+ "your_notification_message": "Je meldingsbericht",
+ "title_description": "Optionele titel van de melding.",
+ "send_a_notification_message": "Een meldingsbericht sturen",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic om naar te luisteren.",
+ "topic": "Topic",
+ "export": "Exporteren",
+ "publish_description": "Publiceert een bericht naar een MQTT-topic.",
+ "evaluate_payload": "Evalueer payload",
+ "the_payload_to_publish": "Het bericht om te publiceren.",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Vasthouden",
+ "topic_to_publish_to": "Topic om naar te publiceren.",
+ "publish": "Publiceer",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Batterijniveau van het apparaat.",
+ "gps_coordinates": "GPS coördinaten",
+ "gps_accuracy_description": "Nauwkeurigheid van de GPS coördinaten.",
+ "hostname_of_the_device": "Hostnaam van een apparaat",
+ "hostname": "Hostnaam",
+ "mac_description": "MAC adres van het apparaat.",
+ "see": "Gezien",
+ "device_description": "Apparaat-ID waarnaar de opdracht moet worden verzonden.",
+ "delete_command": "Opdracht verwijderen",
+ "alternative": "Alternatief",
+ "timeout_description": "Time-out voor het leren van de opdracht.",
+ "learn_command": "Opdracht leren",
+ "delay_seconds": "Vertraging seconden",
+ "hold_seconds": "Seconden vasthouden",
+ "send_command": "Opdracht verzenden",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Start een nieuwe schoonmaaktaak.",
+ "get_weather_forecast": "Weersverwachting ophalen.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Voorspelling ophalen",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Druk op de knop entiteit.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Toont een melding op het meldingen-venster.",
+ "notification_id": "Meldings-ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Lokaliseert de robotstofzuiger.",
+ "pauses_the_cleaning_task": "Pauzeert de reinigingstaak.",
+ "send_command_description": "Stuurt een ruwe opdracht naar de stofzuiger.",
+ "set_fan_speed": "Ventilatorsnelheid instellen",
+ "start_description": "Start of hervat de reinigingstaak.",
+ "start_pause_description": "Start, pauzeert of hervat de schoonmaaktaak.",
+ "stop_description": "Stopt de huidige schoonmaaktaak.",
+ "toggle_description": "Schakelt een mediaspeler in/uit.",
+ "play_chime_description": "Speelt een beltoon af op een Reolink gong.",
+ "target_chime": "Doel gong",
+ "ringtone_to_play": "Beltoon om af te spelen.",
+ "ringtone": "Beltoon",
+ "play_chime": "Gong afspelen",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ bewegingssnelheid.",
+ "ptz_move": "PTZ beweging",
+ "disables_the_motion_detection": "Schakelt de bewegingsdetectie uit.",
+ "disable_motion_detection": "Bewegingsdetectie uitschakelen",
+ "enables_the_motion_detection": "Schakelt de bewegingsdetectie in.",
+ "enable_motion_detection": "Bewegingsdetectie inschakelen",
+ "format_description": "Streamformaat ondersteund door de mediaspeler.",
+ "format": "Formaat",
+ "media_player_description": "Mediaspelers om naar te streamen.",
+ "play_stream": "Stream afspelen",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Bestandsnaam",
+ "lookback": "Terugblik",
+ "snapshot_description": "Maakt een momentopname van een camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Maak een momentopname",
+ "turns_off_the_camera": "Zet de camera uit.",
+ "turns_on_the_camera": "Zet de camera aan.",
+ "reload_resources_description": "Herlaadt dashboardbronnen vanuit de YAML-configuratie.",
"clear_tts_cache": "TTS-cache wissen",
"cache": "Cache",
"language_description": "Taal van de tekst. Valt terug op de server-taal.",
"options_description": "Een woordenboek met integratiespecifieke opties.",
"say_a_tts_message": "Zeg een TTS-bericht",
- "media_player_entity_id_description": "Mediaspelers om het bericht af te spelen.",
"media_player_entity": "Mediaspeler entiteit",
"speak": "Spreek",
- "reload_resources_description": "Herlaadt dashboardbronnen vanuit de YAML-configuratie.",
- "toggles_the_siren_on_off": "Schakelt de sirene om.",
- "turns_the_siren_off": "Schakelt de sirene uit.",
- "turns_the_siren_on": "Schakelt de sirene in.",
- "toggles_the_helper_on_off": "Schakelt de helper in/uit.",
- "turns_off_the_helper": "Schakelt de helper uit.",
- "turns_on_the_helper": "Schakelt de helper in.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
+ "send_text_command": "Stuur tekstcommando",
+ "the_target_value": "De doelwaarde.",
+ "removes_a_group": "Verwijdert een groep.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Entiteiten toevoegen",
+ "icon_description": "Naam van het pictogram voor de groep.",
+ "name_of_the_group": "Naam van de groep.",
+ "remove_entities": "Verwijder entiteiten",
+ "locks_a_lock": "Vergrendelt een slot.",
+ "code_description": "Code om het alarm in te schakelen.",
+ "opens_a_lock": "Opent een slot.",
+ "unlocks_a_lock": "Ontgrendelt een slot.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Aankondigen",
+ "reloads_the_automation_configuration": "Herlaadt de automatiseringsconfiguratie.",
+ "trigger_description": "Activeert de acties van een automatisering.",
+ "skip_conditions": "Voorwaarden overslaan",
+ "trigger": "Trigger",
+ "disables_an_automation": "Schakelt een automatisering uit.",
+ "stops_currently_running_actions": "Stopt lopende acties.",
+ "stop_actions": "Stop acties",
+ "enables_an_automation": "Schakelt een automatisering in.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Schrijf logboekvermelding.",
+ "log_level": "Log niveau.",
+ "message_to_log": "Bericht om te loggen.",
+ "write": "Schrijven",
+ "dashboard_path": "Dashboard pad",
+ "view_path": "Pad bekijken",
+ "show_dashboard_view": "Dashboardweergave weergeven",
+ "process_description": "Start een conversatie vanuit een getranscribeerde tekst.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Getranscribeerde tekstinvoer.",
+ "process": "Verwerk",
+ "reloads_the_intent_configuration": "Herlaadt de intent configuratie.",
+ "conversation_agent_to_reload": "Conversatie agent om te herladen.",
+ "closes_a_cover": "Sluit een bedekking.",
+ "close_cover_tilt_description": "Kantelt een bedekking om te sluiten.",
+ "close_tilt": "Kantelen sluiten",
+ "opens_a_cover": "Opent een bedekking.",
+ "tilts_a_cover_open": "Kantelt een bedekking open.",
+ "open_tilt": "Open kantelen",
+ "set_cover_position_description": "Verplaatst een bedekking naar een specifieke positie.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Doel kantelpositie.",
+ "set_tilt_position": "Kantelpositie instellen",
+ "stops_the_cover_movement": "Stopt de beweging van de bedekking.",
+ "stop_cover_tilt_description": "Stopt een kantelende bedekkingsbeweging.",
+ "stop_tilt": "Stoppen met kantelen",
+ "toggles_a_cover_open_closed": "Schakelt een bedekking open/dicht.",
+ "toggle_cover_tilt_description": "Schakelt een bedekking kantelen open/gesloten.",
+ "toggle_tilt": "Kanteling in-/uitschakelen",
+ "turns_auxiliary_heater_on_off": "Zet de hulpverwarming aan/uit.",
+ "aux_heat_description": "Nieuwe waarde van de hulpverwarming.",
+ "auxiliary_heating": "Hulpverwarming",
+ "turn_on_off_auxiliary_heater": "Hulpverwarming aan-/uitzetten",
+ "sets_fan_operation_mode": "Ventilator bedrijfsmode instellen.",
+ "fan_operation_mode": "Ventilator bedrijfsmode.",
+ "set_fan_mode": "Ventilatormode instellen",
+ "sets_target_humidity": "Stelt doelluchtvochtigheid in.",
+ "set_target_humidity": "Stel doelluchtvochtigheid in",
+ "sets_hvac_operation_mode": "Stelt de HVAC-bedrijfsmode in.",
+ "hvac_operation_mode": "HVAC-bedrijfsmodus.",
+ "set_hvac_mode": "HVAC-mode instellen",
+ "sets_preset_mode": "Stelt de vooraf ingestelde mode in.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Zwenkmodus.",
+ "set_swing_mode": "Stel de swing-modus in",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Stel de doeltemperatuur in",
+ "turns_climate_device_off": "Zet klimaatapparaat uit.",
+ "turns_climate_device_on": "Zet klimaatapparaat aan.",
+ "apply_filter": "Filter toepassen",
+ "days_to_keep": "Dagen om te bewaren",
+ "repack": "Herverpakken",
+ "purge": "Opschonen",
+ "domains_to_remove": "Domeinen om te verwijderen",
+ "entity_globs_to_remove": "Entiteitsglobs om te verwijderen",
+ "entities_to_remove": "Te verwijderen entiteiten",
+ "purge_entities": "Entiteiten opschonen",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Afspeellijst wissen",
+ "selects_the_next_track": "Selecteert de volgende track.",
+ "pauses": "Pauzeert.",
+ "starts_playing": "Start afspelen.",
+ "toggles_play_pause": "Schakelt afspelen/pauzeren.",
+ "selects_the_previous_track": "Selecteert de vorige track.",
+ "seek": "Zoeken",
+ "stops_playing": "Stop afspelen.",
+ "starts_playing_specified_media": "Start het afspelen van gespecificeerde media.",
+ "repeat_mode_to_set": "Herhaalmodus om in te stellen.",
+ "select_sound_mode_description": "Selecteert een specifieke geluidsmodus.",
+ "select_sound_mode": "Selecteer de geluidsmodus",
+ "select_source": "Selecteer bron",
+ "shuffle_description": "Of de shufflemodus wel of niet is ingeschakeld.",
+ "unjoin": "Ontkoppel",
+ "turns_down_the_volume": "Zet het volume lager.",
+ "turn_down_volume": "Zet het volume lager",
+ "volume_mute_description": "Dempt het geluid van de mediaspeler aan of uit.",
+ "is_volume_muted_description": "Definieert of het wel of niet gedempt is.",
+ "mute_unmute_volume": "Volume dempen/dempen opheffen",
+ "sets_the_volume_level": "Stelt het volume in.",
+ "set_volume": "Volume instellen",
+ "turns_up_the_volume": "Zet het volume hoger.",
+ "turn_up_volume": "Zet het volume hoger",
"restarts_an_add_on": "Herstart een add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3350,39 +3844,6 @@
"restore_partial_description": "Herstellen van een gedeeltelijke back-up.",
"restores_home_assistant": "Herstelt Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Verlaag snelheid",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Snelheid verhogen",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Richting instellen",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Snelheid van de ventilator.",
- "percentage": "Percentage",
- "set_speed": "Snelheid instellen",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Vooraf ingestelde modus.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Ventilator uitschakelen.",
- "turns_fan_on": "Ventilator inschakelen.",
- "get_weather_forecast": "Weersverwachting ophalen.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Voorspelling ophalen",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Overgeslagen updates wissen",
- "install_update": "Update installeren",
- "skip_description": "Markeert de momenteel beschikbare update als overgeslagen.",
- "skip_update": "Update overslaan",
- "code_description": "Code gebruikt om het slot te ontgrendelen.",
- "alarm_arm_vacation_description": "Stelt het alarm in op: _ingeschakeld voor vakantie_.",
- "disarms_the_alarm": "Schakelt het alarm uit.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selecteert de eerste optie.",
"first": "Eerste",
"selects_the_last_option": "Selecteert de laatste optie.",
@@ -3390,76 +3851,16 @@
"selects_an_option": "Selecteert een optie.",
"option_to_be_selected": "Te selecteren optie.",
"selects_the_previous_option": "Selecteert de vorige optie.",
- "disables_the_motion_detection": "Schakelt de bewegingsdetectie uit.",
- "disable_motion_detection": "Bewegingsdetectie uitschakelen",
- "enables_the_motion_detection": "Schakelt de bewegingsdetectie in.",
- "enable_motion_detection": "Bewegingsdetectie inschakelen",
- "format_description": "Streamformaat ondersteund door de mediaspeler.",
- "format": "Formaat",
- "media_player_description": "Mediaspelers om naar te streamen.",
- "play_stream": "Stream afspelen",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Bestandsnaam",
- "lookback": "Terugblik",
- "snapshot_description": "Maakt een momentopname van een camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Maak een momentopname",
- "turns_off_the_camera": "Zet de camera uit.",
- "turns_on_the_camera": "Zet de camera aan.",
- "press_the_button_entity": "Druk op de knop entiteit.",
+ "create_event_description": "Adds a new calendar event.",
+ "location_description": "De locatie van de gebeurtenis. Optioneel.",
"start_date_description": "De datum waarop het evenement dat de hele dag duurt, moet beginnen.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Selecteer de volgende optie.",
- "sets_the_options": "Stelt de opties in.",
- "list_of_options": "Lijst met opties.",
- "set_options": "Stel opties in",
- "closes_a_cover": "Sluit een bedekking.",
- "close_cover_tilt_description": "Kantelt een bedekking om te sluiten.",
- "close_tilt": "Kantelen sluiten",
- "opens_a_cover": "Opent een bedekking.",
- "tilts_a_cover_open": "Kantelt een bedekking open.",
- "open_tilt": "Open kantelen",
- "set_cover_position_description": "Verplaatst een bedekking naar een specifieke positie.",
- "target_tilt_positition": "Doel kantelpositie.",
- "set_tilt_position": "Kantelpositie instellen",
- "stops_the_cover_movement": "Stopt de beweging van de bedekking.",
- "stop_cover_tilt_description": "Stopt een kantelende bedekkingsbeweging.",
- "stop_tilt": "Stoppen met kantelen",
- "toggles_a_cover_open_closed": "Schakelt een bedekking open/dicht.",
- "toggle_cover_tilt_description": "Schakelt een bedekking kantelen open/gesloten.",
- "toggle_tilt": "Kanteling in-/uitschakelen",
- "request_sync_description": "Stuurt een request_sync commando naar Google.",
- "agent_user_id": "Agent gebruiker-ID",
- "request_sync": "Vraag om synchronisatie",
- "log_description": "Maakt een aangepaste vermelding in het logboek.",
- "message_description": "Berichttekst van de melding.",
- "log": "Log",
- "enter_your_text": "Voer je tekst in.",
- "set_value": "Waarde instellen",
- "topic_to_listen_to": "Topic om naar te luisteren.",
- "topic": "Topic",
- "export": "Exporteren",
- "publish_description": "Publiceert een bericht naar een MQTT-topic.",
- "evaluate_payload": "Evalueer payload",
- "the_payload_to_publish": "Het bericht om te publiceren.",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Vasthouden",
- "topic_to_publish_to": "Topic om naar te publiceren.",
- "publish": "Publiceer",
- "reloads_the_automation_configuration": "Herlaadt de automatiseringsconfiguratie.",
- "trigger_description": "Activeert de acties van een automatisering.",
- "skip_conditions": "Voorwaarden overslaan",
- "disables_an_automation": "Schakelt een automatisering uit.",
- "stops_currently_running_actions": "Stopt lopende acties.",
- "stop_actions": "Stop acties",
- "enables_an_automation": "Schakelt een automatisering in.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Stelt het standaard logniveau voor integraties in.",
- "level_description": "Standaard logniveau voor alle integraties.",
- "set_default_level": "Stel net standaardniveau in",
- "set_level": "Niveau instellen",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge ID",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3468,83 +3869,32 @@
"device_refresh_description": "Beschikbare deCONZ apparaten opnieuw ophalen",
"device_refresh": "Apparaten opnieuw ophalen",
"remove_orphaned_entries": "Verweesde vermeldingen verwijderen",
- "locate_description": "Lokaliseert de robotstofzuiger.",
- "pauses_the_cleaning_task": "Pauzeert de reinigingstaak.",
- "send_command_description": "Stuurt een ruwe opdracht naar de stofzuiger.",
- "command_description": "Commando('s) om te sturen naar Google Assistant",
- "parameters": "Parameters",
- "set_fan_speed": "Ventilatorsnelheid instellen",
- "start_description": "Start of hervat de reinigingstaak.",
- "start_pause_description": "Start, pauzeert of hervat de schoonmaaktaak.",
- "stop_description": "Stopt de huidige schoonmaaktaak.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Schakelt een schakelaar aan/uit.",
- "turns_a_switch_off": "Zet een schakelaar uit.",
- "turns_a_switch_on": "Zet een schakelaar aan.",
+ "add_event_description": "Voegt nieuwe gebeurtenis toe aan agenda.",
+ "calendar_id_description": "Het ID van de agenda van je keuze.",
+ "calendar_id": "Agenda ID",
+ "description_description": "Omschrijvung van de gebeurtenis. Optioneel.",
+ "summary_description": "Gedraagt zich als de titel van de gebeurtenis.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media-URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloadt bestand van opgegeven URL.",
- "notify_description": "Stuurt een meldingsbericht naar geselecteerde ontvangers.",
- "data": "Gegevens",
- "title_for_your_notification": "Titel van je melding",
- "title_of_the_notification": "Titel van de melding.",
- "send_a_persistent_notification": "Een blijvende melding sturen",
- "sends_a_notification_message": "Verstuurt een meldingsbericht",
- "your_notification_message": "Je meldingsbericht",
- "title_description": "Optionele titel van de melding.",
- "send_a_notification_message": "Een meldingsbericht sturen",
- "process_description": "Start een conversatie vanuit een getranscribeerde tekst.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Getranscribeerde tekstinvoer.",
- "process": "Verwerk",
- "reloads_the_intent_configuration": "Herlaadt de intent configuratie.",
- "conversation_agent_to_reload": "Conversatie agent om te herladen.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ bewegingssnelheid.",
- "ptz_move": "PTZ beweging",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Stuur tekstcommando",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Schrijf logboekvermelding.",
- "log_level": "Log niveau.",
- "message_to_log": "Bericht om te loggen.",
- "write": "Schrijven",
- "locks_a_lock": "Vergrendelt een slot.",
- "opens_a_lock": "Opent een slot.",
- "unlocks_a_lock": "Ontgrendelt een slot.",
- "removes_a_group": "Verwijdert een groep.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Entiteiten toevoegen",
- "icon_description": "Naam van het pictogram voor de groep.",
- "name_of_the_group": "Naam van de groep.",
- "remove_entities": "Verwijder entiteiten",
- "stops_a_running_script": "Stopt een lopend script.",
- "create_description": "Toont een melding op het meldingen-venster.",
- "notification_id": "Meldings-ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Selecteer de volgende optie.",
+ "sets_the_options": "Stelt de opties in.",
+ "list_of_options": "Lijst met opties.",
+ "set_options": "Stel opties in",
+ "alarm_arm_vacation_description": "Stelt het alarm in op: _ingeschakeld voor vakantie_.",
+ "disarms_the_alarm": "Schakelt het alarm uit.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Schakelt een schakelaar aan/uit.",
+ "turns_a_switch_off": "Zet een schakelaar uit.",
+ "turns_a_switch_on": "Zet een schakelaar aan."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/nn/nn.json b/packages/core/src/hooks/useLocale/locales/nn/nn.json
index 1d0d5bd9..cfa85e96 100644
--- a/packages/core/src/hooks/useLocale/locales/nn/nn.json
+++ b/packages/core/src/hooks/useLocale/locales/nn/nn.json
@@ -240,7 +240,7 @@
"select_options": "Valalternativ",
"action": "Action",
"area": "Area",
- "attribute": "Attributt",
+ "attribute": "Attribute",
"boolean": "Boolean",
"condition": "Condition",
"date": "Date",
@@ -750,7 +750,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Lag sikkerheitskopi før oppdatering",
"update_instructions": "Update instructions",
"current_activity": "Gjeldande aktivitet",
- "status": "Status",
+ "status": "Status 2",
"vacuum_commands": "Støvsugarkommandoar",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -869,7 +869,7 @@
"restart_home_assistant": "Restart Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Last om",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Reloading configuration",
"failed_to_reload_configuration": "Kunne ikkje laste om konfigurasjonen",
"restart_description": "Interrupts all running automations and scripts.",
@@ -898,8 +898,8 @@
"password": "Password",
"regex_pattern": "Regulære uttrykksmønster",
"used_for_client_side_validation": "Brukt til klient-validering",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Inndatafelt",
"slider": "Slider",
"step_size": "Stegstørrelse",
@@ -1212,7 +1212,7 @@
"ui_panel_lovelace_editor_edit_view_tab_badges": "Merker",
"card_configuration": "Card configuration",
"type_card_configuration": "{type} Card configuration",
- "edit_card_pick_card": "Kva for eit kort vil du legge til?",
+ "edit_card_pick_card": "Which card would you like to add?",
"toggle_editor": "Toggle editor",
"you_have_unsaved_changes": "You have unsaved changes",
"edit_card_confirm_cancel": "Er du sikker på at du vil avbryte?",
@@ -1529,142 +1529,121 @@
"now": "Now",
"compare_data": "Sammenlign data",
"reload_ui": "Last inn brukargrensesnittet på nytt",
- "tag": "Tags",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "tag": "Tags",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
+ "scene": "Scene",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climate",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Støvsuger",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climate",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Støvsuger",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1693,6 +1672,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1718,31 +1698,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Next dawn",
- "next_dusk": "Next dusk",
- "next_midnight": "Next midnight",
- "next_noon": "Next noon",
- "next_rising": "Next rising",
- "next_setting": "Next setting",
- "solar_azimuth": "Solar azimuth",
- "solar_elevation": "Solar elevation",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1764,34 +1729,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Plugged in",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1865,6 +1872,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Av",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1915,7 +1923,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1932,6 +1939,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Next dawn",
+ "next_dusk": "Next dusk",
+ "next_midnight": "Next midnight",
+ "next_noon": "Next noon",
+ "next_rising": "Next rising",
+ "next_setting": "Next setting",
+ "solar_azimuth": "Solar azimuth",
+ "solar_elevation": "Solar elevation",
+ "solar_rising": "Solar rising",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1951,73 +2001,251 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Plugged in",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Pausa",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -2050,84 +2278,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Current humidity",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Current action",
- "cooling": "Cooling",
- "defrosting": "Defrosting",
- "drying": "Drying",
- "heating": "Heating",
- "preheating": "Preheating",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Both",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Not charging",
- "disconnected": "Disconnected",
- "connected": "Connected",
- "hot": "Hot",
- "no_light": "Ingen lys",
- "light_detected": "Light detected",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "Not moving",
- "unplugged": "Unplugged",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Above horizon",
- "below_horizon": "Below horizon",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2143,13 +2299,36 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "available_tones": "Available tones",
"docked": "Parkert",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Clear, night",
"cloudy": "Cloudy",
"exceptional": "Exceptional",
@@ -2172,26 +2351,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "disarming": "Disarming",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Reingjer",
+ "returning_to_dock": "Går heim",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2200,65 +2362,112 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locked": "Locked",
+ "locking": "Locking",
+ "unlocked": "Unlocked",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Current humidity",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Current action",
+ "cooling": "Cooling",
+ "defrosting": "Defrosting",
+ "drying": "Drying",
+ "heating": "Heating",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Both",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Not charging",
+ "disconnected": "Disconnected",
+ "connected": "Connected",
+ "hot": "Hot",
+ "no_light": "Ingen lys",
+ "light_detected": "Light detected",
+ "not_moving": "Not moving",
+ "unplugged": "Unplugged",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Reingjer",
- "returning_to_dock": "Går heim",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Above horizon",
+ "below_horizon": "Below horizon",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Disarming",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2269,27 +2478,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2297,68 +2508,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2385,48 +2555,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Brua er allereie konfigurert",
- "no_deconz_bridges_discovered": "Oppdaga ingen deCONZ-bruer",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Kunne ikkje få ein API-nøkkel",
- "link_with_deconz": "Link med deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Fann ESPhome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2434,130 +2603,163 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Fann ESPhome node",
+ "bridge_is_already_configured": "Brua er allereie konfigurert",
+ "no_deconz_bridges_discovered": "Oppdaga ingen deCONZ-bruer",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Kunne ikkje få ein API-nøkkel",
+ "link_with_deconz": "Link med deCONZ",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Enable birth message",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Enable will message",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
"data_use_st_channel_info": "Use SmartThings TV Channels information",
"data_show_channel_number": "Use SmartThings TV Channels number information",
"data_app_load_method": "Applications list load mode at startup",
@@ -2583,28 +2785,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Enable birth message",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Enable will message",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2612,26 +2792,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2726,6 +2991,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
+ "increase_entity_name_brightness": "Increase {entity_name} brightness",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "First button",
+ "second_button": "Second button",
+ "third_button": "Third button",
+ "fourth_button": "Fourth button",
+ "fifth_button": "Fifth button",
+ "sixth_button": "Sixth button",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} is home",
+ "entity_name_is_not_home": "{entity_name} is not home",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} rydder",
+ "entity_name_is_docked": "{entity_name} er parkert",
+ "entity_name_started_cleaning": "{entity_name} begynte å rydde",
+ "entity_name_docked": "{entity_name} parkert",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} is locked",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is unlocked",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opened",
+ "entity_name_unlocked": "{entity_name} unlocked",
"action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
"change_preset_on_entity_name": "Change preset on {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2733,8 +3051,22 @@
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Close {entity_name} tilt",
+ "open_entity_name_tilt": "Open {entity_name} tilt",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Set {entity_name} tilt position",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} is closed",
+ "entity_name_is_closing": "{entity_name} is closing",
+ "entity_name_is_opening": "{entity_name} is opening",
+ "current_entity_name_position_is": "Current {entity_name} position is",
+ "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
+ "entity_name_closed": "{entity_name} closed",
+ "entity_name_closing": "{entity_name} closing",
+ "entity_name_opening": "{entity_name} opening",
+ "entity_name_position_changes": "{entity_name} position changes",
+ "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
"entity_name_battery_is_low": "{entity_name} battery is low",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2743,7 +3075,6 @@
"entity_name_is_detecting_gas": "{entity_name} is detecting gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} is detecting light",
- "entity_name_is_locked": "{entity_name} is locked",
"entity_name_is_moist": "{entity_name} is moist",
"entity_name_is_detecting_motion": "{entity_name} is detecting motion",
"entity_name_is_moving": "{entity_name} is moving",
@@ -2761,11 +3092,9 @@
"entity_name_is_not_cold": "{entity_name} is not cold",
"entity_name_is_disconnected": "{entity_name} is disconnected",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} is unlocked",
"entity_name_is_dry": "{entity_name} is dry",
"entity_name_is_not_moving": "{entity_name} is not moving",
"entity_name_is_not_occupied": "{entity_name} is not occupied",
- "entity_name_is_closed": "{entity_name} is closed",
"entity_name_is_unplugged": "{entity_name} is unplugged",
"entity_name_is_not_powered": "{entity_name} is not powered",
"entity_name_is_not_present": "{entity_name} is not present",
@@ -2773,7 +3102,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} is occupied",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is plugged in",
"entity_name_is_powered": "{entity_name} is powered",
"entity_name_is_present": "{entity_name} is present",
@@ -2793,7 +3121,6 @@
"entity_name_started_detecting_gas": "{entity_name} started detecting gas",
"entity_name_became_hot": "{entity_name} became hot",
"entity_name_started_detecting_light": "{entity_name} started detecting light",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} started detecting motion",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2804,18 +3131,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} became not hot",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} closed",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
@@ -2823,7 +3147,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} plugged in",
"entity_name_powered": "{entity_name} powered",
"entity_name_present": "{entity_name} present",
@@ -2831,46 +3154,16 @@
"entity_name_started_running": "{entity_name} started running",
"entity_name_started_detecting_smoke": "{entity_name} started detecting smoke",
"entity_name_started_detecting_sound": "{entity_name} started detecting sound",
- "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
- "entity_name_became_unsafe": "{entity_name} became unsafe",
- "trigger_type_update": "{entity_name} got an update available",
- "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
- "entity_name_is_buffering": "{entity_name} is buffering",
- "entity_name_is_idle": "{entity_name} is idle",
- "entity_name_is_paused": "{entity_name} is paused",
- "entity_name_is_playing": "{entity_name} is playing",
- "entity_name_starts_buffering": "{entity_name} starts buffering",
- "entity_name_becomes_idle": "{entity_name} becomes idle",
- "entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} is home",
- "entity_name_is_not_home": "{entity_name} is not home",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
- "increase_entity_name_brightness": "Increase {entity_name} brightness",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Disarm {entity_name}",
- "trigger_entity_name": "Trigger {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} is disarmed",
- "entity_name_is_triggered": "{entity_name} is triggered",
- "entity_name_armed_away": "{entity_name} armed away",
- "entity_name_armed_home": "{entity_name} armed home",
- "entity_name_armed_night": "{entity_name} armed night",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} disarmed",
- "entity_name_triggered": "{entity_name} triggered",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
+ "entity_name_became_unsafe": "{entity_name} became unsafe",
+ "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
+ "entity_name_is_buffering": "{entity_name} is buffering",
+ "entity_name_is_idle": "{entity_name} is idle",
+ "entity_name_is_paused": "{entity_name} is paused",
+ "entity_name_is_playing": "{entity_name} is playing",
+ "entity_name_starts_buffering": "{entity_name} starts buffering",
+ "entity_name_becomes_idle": "{entity_name} becomes idle",
+ "entity_name_starts_playing": "{entity_name} starts playing",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2880,35 +3173,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Close {entity_name} tilt",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Open {entity_name} tilt",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Set {entity_name} tilt position",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} is closing",
- "entity_name_is_opening": "{entity_name} is opening",
- "current_entity_name_position_is": "Current {entity_name} position is",
- "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
- "entity_name_closing": "{entity_name} closing",
- "entity_name_opening": "{entity_name} opening",
- "entity_name_position_changes": "{entity_name} position changes",
- "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Both buttons",
"bottom_buttons": "Bottom buttons",
"seventh_button": "Seventh button",
@@ -2933,13 +3197,6 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} rydder",
- "entity_name_is_docked": "{entity_name} er parkert",
- "entity_name_started_cleaning": "{entity_name} begynte å rydde",
- "entity_name_docked": "{entity_name} parkert",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2950,29 +3207,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Disarm {entity_name}",
+ "trigger_entity_name": "Trigger {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} is disarmed",
+ "entity_name_is_triggered": "{entity_name} is triggered",
+ "entity_name_armed_away": "{entity_name} armed away",
+ "entity_name_armed_home": "{entity_name} armed home",
+ "entity_name_armed_night": "{entity_name} armed night",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} disarmed",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "Device dropped",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Device tilted",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3103,52 +3385,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3165,6 +3417,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3175,102 +3428,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3283,25 +3445,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3327,27 +3534,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3386,40 +3874,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3427,77 +3881,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3506,83 +3899,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/pl/pl.json b/packages/core/src/hooks/useLocale/locales/pl/pl.json
index acb575c8..62a251f9 100644
--- a/packages/core/src/hooks/useLocale/locales/pl/pl.json
+++ b/packages/core/src/hooks/useLocale/locales/pl/pl.json
@@ -4,7 +4,7 @@
"presets": "Ustawienia",
"overview": "Przegląd",
"map": "Mapa",
- "logbook": "Logbook",
+ "logbook": "Dziennik",
"history": "History",
"to_do_lists": "Listy zadań",
"developer_tools": "Narzędzia deweloperskie",
@@ -37,7 +37,7 @@
"enable": "Włącz",
"disable": "Wyłącz",
"toggle": "Przełącz",
- "code": "Code",
+ "code": "Kod",
"clear": "Clear",
"arm": "Uzbrojony",
"arm_home": "Uzbrojenie w trybie domowym",
@@ -53,7 +53,7 @@
"area_not_found": "Nie znaleziono obszaru.",
"last_triggered": "Ostatnio wywołana",
"run_actions": "Uruchom akcje",
- "press": "Press",
+ "press": "Naciśnij",
"image_not_available": "Obraz niedostępny",
"currently": "obecnie",
"on_off": "włącz/wyłącz",
@@ -69,24 +69,24 @@
"action_to_target": "{action} do celu",
"target": "Target",
"humidity_target": "Docelowa wilgotność",
- "increment": "Zwiększ",
- "decrement": "Zmniejsz",
+ "increment": "Increment",
+ "decrement": "Decrement",
"reset": "Reset",
- "position": "Position",
- "tilt_position": "Tilt position",
+ "position": "Pozycja",
+ "cover_tilt": "Pochylenie",
"open": "Otwórz",
"close": "Zamknij",
"open_cover_tilt": "Pochylenie przy otwarciu",
"close_cover_tilt": "Pochylenie przy zamknięciu",
- "stop_cover": "Zatrzymaj",
- "preset_mode": "Preset mode",
+ "stop": "Zatrzymaj",
+ "preset_mode": "Tryb predefiniowany",
"oscillate": "Oscillate",
"direction": "Kierunek",
"forward": "Forward",
"reverse": "Reverse",
"medium": "średni",
- "target_humidity": "Target humidity.",
- "state": "Stan",
+ "target_humidity": "Docelowa wilgotność.",
+ "state": "State",
"name_target_humidity": "{name} wilgotność docelowa",
"name_current_humidity": "{name} - aktualna wilgotność",
"name_humidifying": "{name} - nawilżanie",
@@ -94,7 +94,7 @@
"name_on": "{name} włączony",
"resume_mowing": "Wznów koszenie",
"start_mowing": "Rozpocznij koszenie",
- "pause": "Pauza",
+ "pause": "Wstrzymaj",
"return_to_dock": "Return to dock",
"brightness": "Jasność",
"color_temperature": "Temperatura barwowa",
@@ -103,8 +103,8 @@
"cold_white_brightness": "Jasność zimnej bieli",
"warm_white_brightness": "Jasność ciepłej bieli",
"effect": "Efekt",
- "lock": "Lock",
- "unlock": "Unlock",
+ "lock": "Zarygluj",
+ "unlock": "Odrygluj",
"open_door": "Open door",
"really_open": "Naprawdę otworzyć?",
"done": "Done",
@@ -114,7 +114,6 @@
"browse_media": "Przeglądaj media",
"play": "Play",
"play_pause": "Play/Pause",
- "stop": "Stop",
"next_track": "Następny utwór",
"previous_track": "Poprzedni utwór",
"volume_up": "Głośniej",
@@ -134,24 +133,23 @@
"cancel": "Cancel",
"cancel_number": "Anuluj {number}",
"cancel_all": "Anuluj wszystko",
- "idle": "Idle",
+ "idle": "brak aktywności",
"run_script": "Uruchom skrypt",
"option": "Option",
"installing": "instalacja",
"installing_progress": "instalacja ({progress}%)",
"up_to_date": "brak aktualizacji",
"empty_value": "(pusta wartość)",
- "start": "Start",
"finish": "Finish",
"resume_cleaning": "Wznów sprzątanie",
"start_cleaning": "Rozpocznij sprzątanie",
"open_valve": "Otwórz zawór",
"close_valve": "Zamknij zawór",
"stop_valve": "Zatrzymaj zawór",
- "target_temperature": "Target temperature",
+ "target_temperature": "Docelowa temperatura",
"away_mode": "Tryb poza domem",
"air_pressure": "Ciśnienie atmosferyczne",
- "humidity": "Humidity",
+ "humidity": "Wilgotność",
"temperature": "Temperatura",
"visibility": "Widoczność",
"wind_speed": "Prędkość wiatru",
@@ -188,7 +186,7 @@
"delete_all": "Usuń wszystko",
"download": "Download",
"duplicate": "Duplikuj",
- "remove": "Remove",
+ "remove": "Usuń",
"hide": "Ukryj",
"leave": "Wyjdź",
"stay": "Zostań",
@@ -246,8 +244,8 @@
"duration": "Duration",
"entity": "Encja",
"floor": "Piętro",
- "icon": "Icon",
- "location": "Location",
+ "icon": "Ikona",
+ "location": "Lokalizacja",
"number": "Number",
"object": "Obiekt",
"rgb_color": "Kolor RGB",
@@ -260,6 +258,7 @@
"learn_more_about_templating": "Dowiedz się więcej o szablonach",
"show_password": "Pokaż hasło",
"hide_password": "Ukryj hasło",
+ "ui_components_selectors_background_yaml_info": "Obraz tła jest ustawiany za pomocą edytora yaml.",
"no_logbook_events_found": "Nie znaleziono wpisów w dzienniku.",
"triggered_by": "wyzwolony przez",
"triggered_by_automation": "wyzwolony przez automatyzację",
@@ -489,7 +488,7 @@
"min": "Minimum",
"max": "Max",
"mean": "Średnia",
- "sum": "Sum",
+ "sum": "Suma",
"change": "Change",
"ui_components_service_picker_service": "Usługa",
"this_field_is_required": "To pole jest wymagane",
@@ -563,7 +562,7 @@
"url": "URL",
"video": "wideo",
"media_browser_media_player_unavailable": "Wybrany odtwarzacz multimedialny jest niedostępny.",
- "auto": "Automatyczny",
+ "auto": "Auto",
"grid": "Siatka",
"list": "Lista",
"task_name": "Nazwa zadania",
@@ -640,6 +639,7 @@
"last_updated": "Ostatnia aktualizacja",
"remaining": "Pozostało",
"install_status": "Status instalacji",
+ "ui_components_multi_textfield_add_item": "Dodaj {item}",
"safe_mode": "Safe mode",
"all_yaml_configuration": "Cała konfiguracja YAML",
"domain": "Domain",
@@ -684,7 +684,7 @@
"helpers": "Pomocnicy",
"tags": "Tagi",
"devices": "Urządzenia",
- "entities": "Entities",
+ "members": "Encje",
"energy_configuration": "Konfiguracja energii",
"dashboards": "Dashboards",
"about": "Informacje o systemie",
@@ -744,7 +744,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Utwórz kopię zapasową przed aktualizacją",
"update_instructions": "Instrukcje aktualizacji",
"current_activity": "Aktualna czynność",
- "status": "Status",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Polecenia odkurzacza:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -779,7 +779,7 @@
"default_code": "Domyślny kod",
"editor_default_code_error": "Kod nie jest zgodny z formatem kodu",
"entity_id": "Entity ID",
- "unit_of_measurement": "Jednostka miary",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "Jednostka opadów atmosferycznych",
"display_precision": "Precyzja",
"default_value": "Domyślna ({value})",
@@ -800,7 +800,7 @@
"cold": "Chłód",
"connectivity": "Łączność",
"gas": "Gaz",
- "heat": "Ciepło",
+ "heat": "Heat",
"light": "Światło",
"moisture": "Wilgoć",
"motion": "Ruch",
@@ -862,7 +862,7 @@
"restart_home_assistant": "Uruchomić ponownie Home Assistanta?",
"advanced_options": "Opcje zaawansowane",
"quick_reload": "Szybkie przeładowanie",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Ponowne wczytanie konfiguracji",
"failed_to_reload_configuration": "Nie udało się ponownie wczytać konfiguracji",
"restart_description": "Przerywa wszystkie uruchomione automatyzacje i skrypty.",
@@ -892,8 +892,8 @@
"password": "Hasło",
"regex_pattern": "Wzór wyrażenia regex",
"used_for_client_side_validation": "Do sprawdzania poprawności po stronie klienta",
- "minimum_value": "Wartość minimalna",
- "maximum_value": "Wartość maksymalna",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"box": "pole",
"slider": "suwak",
"step_size": "Skok",
@@ -1215,7 +1215,7 @@
"ui_panel_lovelace_editor_edit_view_type_warning_sections": "Nie możesz zmienić swojego widoku na typ 'sekcje', ponieważ migracja nie jest jeszcze obsługiwana. Zacznij od początku z nowym widokiem, jeśli chcesz eksperymentować z widokiem 'sekcje'.",
"card_configuration": "Konfiguracja karty",
"type_card_configuration": "Konfiguracja karty \"{type}\"",
- "edit_card_pick_card": "Którą kartę chcesz dodać?",
+ "edit_card_pick_card": "Dodaj do pulpitu",
"toggle_editor": "Przełącz edytor",
"you_have_unsaved_changes": "Masz niezapisane zmiany",
"edit_card_confirm_cancel": "Czy na pewno chcesz anulować?",
@@ -1326,7 +1326,7 @@
"web_link": "Łącze internetowe",
"buttons": "Przyciski",
"cast": "Cast",
- "button": "przycisk",
+ "button": "Przycisk",
"entity_filter": "Filtr encji",
"secondary_information": "Dodatkowa informacja",
"gauge": "Wskaźnik",
@@ -1367,7 +1367,7 @@
"days_to_show": "Dni do wyświetlenia",
"icon_height": "Wysokość ikony",
"image_path": "Ścieżka obrazu",
- "maximum": "Maximum",
+ "maximum": "Maksimum",
"paste_from_clipboard": "Wklej ze schowka",
"generic_paste_description": "wklej {type} odznaki z pulpitu",
"refresh_interval": "Częstotliwość odświeżania",
@@ -1418,6 +1418,13 @@
"graph_type": "Rodzaj wykresu",
"to_do_list": "Lista zadań",
"hide_completed_items": "Ukryj ukończone elementy",
+ "ui_panel_lovelace_editor_card_todo_list_display_order": "Kolejność wyświetlania",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc": "Alfabetycznie (A-Z)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_desc": "Alfabetycznie (Z-A)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc": "Termin zakończenia (od najwcześniejszego)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc": "Termin zakończenia (od najpóźniejszych)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_manual": "Ręczna",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_none": "Domyślna",
"thermostat": "Termostat",
"thermostat_show_current_as_primary": "Pokaż aktualną temperaturę jako główną informację",
"tile": "Kafelek",
@@ -1427,6 +1434,7 @@
"hide_state": "Ukryj stan",
"ui_panel_lovelace_editor_card_tile_actions": "Akcje",
"ui_panel_lovelace_editor_card_tile_state_content_options_last_changed": "Ostatnia zmiana",
+ "ui_panel_lovelace_editor_card_tile_state_content_options_state": "Stan",
"vertical_stack": "Pionowy stos",
"weather_to_show": "Pogoda do pokazania",
"weather_forecast_show_both": "Pokaż obecną pogodę i prognozę",
@@ -1452,8 +1460,6 @@
"edit_feature": "Edytuj funkcję",
"remove_feature": "Usuń funkcję",
"cover_open_close": "Otwarcie/zamknięcie",
- "cover_position": "Pozycja",
- "cover_tilt": "Pochylenie",
"cover_tilt_position": "Pozycja pochylenia",
"alarm_modes": "Tryby alarmu",
"customize_alarm_modes": "Dostosuj tryby alarmu",
@@ -1534,141 +1540,119 @@
"now": "Teraz",
"compare_data": "Porównaj dane",
"reload_ui": "Wczytaj ponownie Lovelace",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Pole wartości logicznej",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
+ "home_assistant_api": "Home Assistant API",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
"tag": "Tag",
- "input_datetime": "Pole daty i czasu",
- "solis_inverter": "Solis Inverter",
+ "media_source": "Media Source",
+ "mobile_app": "Aplikacja mobilna",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostyka",
+ "filesize": "Rozmiar pliku",
+ "group": "Grupa",
+ "binary_sensor": "Sensor binarny",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Pole wyboru",
+ "device_automation": "Device Automation",
+ "person": "Osoba",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Skrypt",
+ "fan": "wentylator",
"scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Kalendarz lokalny",
- "intent": "Intent",
- "device_tracker": "Śledzenie urządzeń",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
- "home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
- "fan": "Wentylator",
- "weather": "Pogoda",
- "camera": "Kamera",
"schedule": "Harmonogram",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automatyzacja",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Pogoda",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Rozmowa",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Pole tekstowe",
- "valve": "Zawór",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Klimat",
- "binary_sensor": "Sensor binarny",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automatyzacja",
+ "system_log": "System Log",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Zawór",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Kalendarz lokalny",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Syrena",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Kosiarka do trawy",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Strefa",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Śledzenie urządzeń",
+ "remote": "Pilot",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Odkurzacz",
+ "reolink": "Reolink",
+ "camera": "Kamera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Pilot",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Licznik",
- "filesize": "Rozmiar pliku",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Pole numeryczne",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Kontroler zasilacza Raspberry Pi",
+ "conversation": "Rozmowa",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Klimat",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Pole wartości logicznej",
- "lawn_mower": "Kosiarka do trawy",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Strefa",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Panel kontrolny alarmu",
- "input_select": "Pole wyboru",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Aplikacja mobilna",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Pole daty i czasu",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Licznik",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Poświadczenia aplikacji",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Grupa",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostyka",
- "person": "Osoba",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Pole tekstowe",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Pole numeryczne",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Poświadczenia aplikacji",
- "siren": "Syrena",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Przycisk",
- "vacuum": "Odkurzacz",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Kontroler zasilacza Raspberry Pi",
- "assist_satellite": "Assist satellite",
- "script": "Skrypt",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "[%key:component::renault::entity::sensor::battery_level::name%]",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Niski poziom baterii",
"cloud_connection": "Połączenie z chmurą",
"humidity_warning": "Ostrzeżenie o wilgotności",
@@ -1697,6 +1681,7 @@
"alarm_source": "Źródło alarmu",
"auto_off_at": "Automatyczne wyłączanie o",
"available_firmware_version": "Dostępna wersja oprogramowania sprzętowego",
+ "battery_level": "[%key:component::renault::entity::sensor::battery_level::name%]",
"this_month_s_consumption": "Zużycie w tym miesiącu",
"today_s_consumption": "Dzisiejsze zużycie",
"total_consumption": "Całkowite zużycie",
@@ -1714,7 +1699,7 @@
"auto_off_enabled": "Włączono automatyczne wyłączanie",
"auto_update_enabled": "Włączono automatyczną aktualizację",
"baby_cry_detection": "Baby cry detection",
- "child_lock": "Child lock",
+ "child_lock": "Blokada dziecięca",
"fan_sleep_mode": "Tryb uśpienia wentylatora",
"led": "LED",
"motion_detection": "Wykrywanie ruchu",
@@ -1722,31 +1707,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Płynne przejścia",
"tamper_detection": "Tamper detection",
- "next_dawn": "Następny świt",
- "next_dusk": "Następny zmierzch",
- "next_midnight": "Następna północ",
- "next_noon": "Następne południe",
- "next_rising": "Następny wschód",
- "next_setting": "Następny zachód",
- "solar_azimuth": "Azymut słoneczny",
- "solar_elevation": "Wysokość słońca",
- "solar_rising": "Wschód słońca",
- "day_of_week": "Day of week",
- "illuminance": "Natężenie oświetlenia",
- "noise": "Hałas",
- "overload": "Przeciążenie",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Kalibracja",
+ "auto_lock_paused": "Automatyczne zamykanie wstrzymane",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Sygnał Bluetooth",
+ "light_level": "Poziom światła",
+ "wi_fi_signal": "Sygnał Wi-Fi",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Proces {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1768,34 +1738,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Pomoc w toku",
- "preferred": "preferowane",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "Wersja agenta systemu operacyjnego",
- "apparmor_version": "Wersja apparmor",
- "cpu_percent": "Procent procesora",
- "disk_free": "Pojemność wolna",
- "disk_total": "Pojemność dysku",
- "disk_used": "Pojemność użyta",
- "memory_percent": "Procent pamięci",
- "version": "Version",
- "newest_version": "Najnowsza wersja",
+ "day_of_week": "Day of week",
+ "illuminance": "Natężenie oświetlenia",
+ "noise": "Hałas",
+ "overload": "Przeciążenie",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Słowo aktywujące",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "wyłączono",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Administrator urządzenia",
+ "kiosk_mode": "Tryb kiosku",
+ "plugged_in": "podłączono",
+ "load_start_url": "Załaduj startowy adres URL",
+ "restart_browser": "Uruchom ponownie przeglądarkę",
+ "restart_device": "Restart device",
+ "send_to_background": "Uruchom działanie w tle",
+ "bring_to_foreground": "Przywróć na pierwszy plan",
+ "screenshot": "Zrzut ekranu",
+ "overlay_message": "Wiadomość w oknie dialogowym",
+ "screen_brightness": "Jasność ekranu",
+ "screen_off_timer": "Minutnik wyłączania ekranu",
+ "screensaver_brightness": "Jasność wygaszacza ekranu",
+ "screensaver_timer": "Minutnik włączenia wygaszacza ekranu",
+ "current_page": "Bieżąca strona",
+ "foreground_app": "Aplikacja na pierwszym planie",
+ "internal_storage_free_space": "Wolne miejsce w pamięci wewnętrznej",
+ "internal_storage_total_space": "Całkowity rozmiar pamięci wewnętrznej",
+ "free_memory": "Dostępna pamięć RAM",
+ "total_memory": "Całkowita pamięć RAM",
+ "screen_orientation": "Orientacja ekranu",
+ "kiosk_lock": "Blokada kiosku",
+ "maintenance_mode": "Tryb konserwacji",
+ "screensaver": "Wygaszacz ekranu",
"animal": "Zwierzę",
"animal_lens": "Zwierzę obiektyw 1",
"face": "Twarz",
@@ -1867,6 +1879,7 @@
"pir_sensitivity": "Czułość czujnika ruchu",
"zoom": "Powiększenie",
"auto_quick_reply_message": "Automatyczna szybka odpowiedź",
+ "off": "Off",
"auto_track_method": "Metoda automatycznego śledzenia",
"digital": "Cyfrowe",
"digital_first": "Najpierw cyfrowe",
@@ -1884,7 +1897,7 @@
"hub_alarm_ringtone": "Hub alarm ringtone",
"alarm": "Alarm",
"attraction": "Atrakcja",
- "city_bird": "Miejski ptak",
+ "city_bird": "miejski ptak",
"good_day": "Dobry dzień",
"hop_hop": "Hop hop",
"loop": "Pętla",
@@ -1915,7 +1928,6 @@
"ptz_pan_position": "Pozycja obrotu PTZ",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "Pojemność karty SD {hdd_index}",
- "wi_fi_signal": "Sygnał Wi-Fi",
"auto_focus": "Automatyczne ustawianie ostrości",
"auto_tracking": "Automatyczne śledzenie",
"doorbell_button_sound": "Dźwięk przycisku dzwonka",
@@ -1931,6 +1943,49 @@
"push_notifications": "Powiadomienia Push",
"record": "Record",
"record_audio": "Nagrywanie dźwięku",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Pomoc w toku",
+ "quiet": "Quiet",
+ "preferred": "preferowane",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Słowo aktywujące",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "Wersja agenta systemu operacyjnego",
+ "apparmor_version": "Wersja apparmor",
+ "cpu_percent": "Procent procesora",
+ "disk_free": "Pojemność wolna",
+ "disk_total": "Pojemność dysku",
+ "disk_used": "Pojemność użyta",
+ "memory_percent": "Procent pamięci",
+ "version": "Version",
+ "newest_version": "Najnowsza wersja",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Następny świt",
+ "next_dusk": "Następny zmierzch",
+ "next_midnight": "Następna północ",
+ "next_noon": "Następne południe",
+ "next_rising": "Następny wschód",
+ "next_setting": "Następny zachód",
+ "solar_azimuth": "Azymut słoneczny",
+ "solar_elevation": "Wysokość słońca",
+ "solar_rising": "Wschód słońca",
"heavy": "duży wyciek",
"mild": "mały wyciek",
"button_down": "przycisk wciśnięty",
@@ -1949,70 +2004,250 @@
"checking": "sprawdzanie",
"closing": "zamykanie",
"failure": "awaria",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Kalibracja",
- "auto_lock_paused": "Automatyczne zamykanie wstrzymane",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Sygnał Bluetooth",
- "light_level": "Poziom światła",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Administrator urządzenia",
- "kiosk_mode": "Tryb kiosku",
- "plugged_in": "podłączono",
- "load_start_url": "Załaduj startowy adres URL",
- "restart_browser": "Uruchom ponownie przeglądarkę",
- "restart_device": "Uruchom ponownie urządzenie",
- "send_to_background": "Uruchom działanie w tle",
- "bring_to_foreground": "Przywróć na pierwszy plan",
- "screenshot": "Zrzut ekranu",
- "overlay_message": "Wiadomość w oknie dialogowym",
- "screen_brightness": "Jasność ekranu",
- "screen_off_timer": "Minutnik wyłączania ekranu",
- "screensaver_brightness": "Jasność wygaszacza ekranu",
- "screensaver_timer": "Minutnik włączenia wygaszacza ekranu",
- "current_page": "Bieżąca strona",
- "foreground_app": "Aplikacja na pierwszym planie",
- "internal_storage_free_space": "Wolne miejsce w pamięci wewnętrznej",
- "internal_storage_total_space": "Całkowity rozmiar pamięci wewnętrznej",
- "free_memory": "Dostępna pamięć RAM",
- "total_memory": "Całkowita pamięć RAM",
- "screen_orientation": "Orientacja ekranu",
- "kiosk_lock": "Blokada kiosku",
- "maintenance_mode": "Tryb konserwacji",
- "screensaver": "Wygaszacz ekranu",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Zarządzanie przez UI",
- "pattern": "Wzór",
- "minute": "Minuty",
- "second": "Sekundy",
- "timestamp": "Timestamp",
- "stopped": "zatrzymana",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Akcelerometr",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Grupa wentylatorów",
+ "light_group": "Grupa świateł",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Interwał wykrywania",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "Zewnętrzny czujnik temperatury",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Czas przejścia do wyłączenia",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "Poziom przy włączeniu",
+ "on_off_transition_time": "Czas przejścia włączenia/wyłączenia",
+ "on_transition_time": "Czas przejścia do włączenia",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Tryb podświetlenia",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Tryb odłączony",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Domyślny stroboskop",
+ "default_strobe_level": "Domyślny poziom stroboskopu",
+ "detection_distance": "Odległość wykrywania",
+ "detection_sensitivity": "Czułość wykrywania",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Stan po włączeniu zasilania",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "w toku",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Temperatura urządzenia",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Gęstość dymu",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Wilgotność gleby",
+ "summation_delivered": "Suma dostarczonej energii",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Wyłącz LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "led_indicator": "Wskaźnik LED",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Nadaj priorytet zewnętrznemu czujnikowi temperatury",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "Wskaźnik wyzwalania LED",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Dostępne tony",
"device_trackers": "Urządzenia śledzące",
"gps_accuracy": "GPS accuracy",
- "paused": "wstrzymano",
- "finishes_at": "Zakończenie",
- "restore": "Przywróć",
"last_reset": "Ostatni reset",
"possible_states": "Możliwe stany",
"state_class": "Klasa stanu",
@@ -2044,78 +2279,12 @@
"sound_pressure": "Ciśnienie akustyczne",
"speed": "Prędkość",
"sulphur_dioxide": "Dwutlenek siarki",
+ "timestamp": "Timestamp",
"vocs": "Lotne związki organiczne",
"volume_flow_rate": "Przepływ objętości",
"stored_volume": "Zmagazynowana objętość",
"weight": "Waga",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Grzałka pomocnicza",
- "current_humidity": "Aktualna wilgotność",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "rozproszony nawiew",
- "middle": "pośredni",
- "top": "nawiew górny",
- "current_action": "Bieżące działanie",
- "cooling": "chłodzenie",
- "defrosting": "Defrosting",
- "drying": "osuszanie",
- "heating": "grzanie",
- "preheating": "Preheating",
- "max_target_humidity": "Maksymalna wilgotność docelowa",
- "max_target_temperature": "Maksymalna docelowa temperatura",
- "min_target_humidity": "Minimalna wilgotność docelowa",
- "min_target_temperature": "Minimalna docelowa temperatura",
- "boost": "turbo",
- "comfort": "komfort",
- "eco": "eko",
- "sleep": "sen",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "ruch w obu płaszczyznach",
- "horizontal": "ruch poziomy",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Krok temperatury docelowej",
- "step": "Krok",
- "not_charging": "brak ładowania",
- "disconnected": "offline",
- "connected": "online",
- "hot": "gorąco",
- "unlocked": "otwarto",
- "not_moving": "brak ruchu",
- "unplugged": "odłączono",
- "not_running": "nie działa",
- "unsafe": "zagrożenie",
- "tampering_detected": "Tampering detected",
- "automatic": "automatyczny",
- "above_horizon": "powyżej horyzontu",
- "below_horizon": "poniżej horyzontu",
- "buffering": "buforowanie",
- "playing": "odtwarzanie",
- "standby": "tryb czuwania",
- "app_id": "Identyfikator aplikacji",
- "local_accessible_entity_picture": "Obraz encji dostępny lokalnie",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Artysta albumu",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "kanały",
- "position_updated": "Pozycja zaktualizowana",
- "series": "Serial",
- "all": "All",
- "one": "jeden",
- "available_sound_modes": "Dostępne tryby dźwięku",
- "available_sources": "Dostępne źródła",
- "receiver": "Odbiornik",
- "speaker": "Głośnik",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "router",
+ "managed_via_ui": "Zarządzane przez UI",
"color_mode": "Color Mode",
"brightness_only": "tylko jasność",
"hs": "HS",
@@ -2131,12 +2300,33 @@
"minimum_color_temperature_kelvin": "Minimalna temperatura barwowa (Kelwin)",
"minimum_color_temperature_mireds": "Minimalna temperatura barwowa (mired)",
"available_color_modes": "Dostępne tryby koloru",
- "available_tones": "Dostępne tony",
"docked": "zadokowany",
"mowing": "Koszenie",
+ "paused": "wstrzymano",
"returning": "Returning",
+ "pattern": "Wzór",
+ "running_automations": "Uruchomione automatyzacje",
+ "max_running_scripts": "Maksymalnie uruchomionych skryptów",
+ "run_mode": "Tryb uruchamiania",
+ "parallel": "równoległy",
+ "queued": "kolejka",
+ "single": "pojedynczy",
+ "auto_update": "Automatyczna aktualizacja",
+ "installed_version": "Zainstalowana wersja",
+ "latest_version": "Ostatnia wersja",
+ "release_summary": "Podsumowanie wydania",
+ "release_url": "URL informacji o wydaniu",
+ "skipped_version": "Pominięta wersja",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Krok prędkości",
+ "minute": "Minuty",
+ "second": "Sekundy",
+ "next_event": "Następne wydarzenie",
+ "step": "Krok",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "router",
"clear_night": "pogodna noc",
"cloudy": "pochmurno",
"exceptional": "warunki nadzwyczajne",
@@ -2159,26 +2349,9 @@
"uv_index": "UV index",
"wind_bearing": "Kierunek wiatru",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Automatyczna aktualizacja",
- "in_progress": "w toku",
- "installed_version": "Zainstalowana wersja",
- "latest_version": "Ostatnia wersja",
- "release_summary": "Podsumowanie wydania",
- "release_url": "URL informacji o wydaniu",
- "skipped_version": "Pominięta wersja",
- "firmware": "Firmware",
- "armed_away": "uzbrojony (poza domem)",
- "armed_custom_bypass": "uzbrojony (własny bypass)",
- "armed_home": "uzbrojony (w domu)",
- "armed_night": "uzbrojony (noc)",
- "armed_vacation": "uzbrojony (wakacje)",
- "disarming": "rozbrajanie",
- "triggered": "wyzwolony",
- "changed_by": "Zmienione przez",
- "code_for_arming": "Kod uzbrojenia",
- "not_required": "nie wymagany",
- "code_format": "Code format",
"identify": "Zidentyfikuj",
+ "cleaning": "sprzątanie",
+ "returning_to_dock": "wraca do stacji dokującej",
"recording": "nagrywanie",
"streaming": "strumieniowanie",
"access_token": "Token dostępu",
@@ -2187,94 +2360,135 @@
"hls": "HLS",
"webrtc": "webRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "automatyczny",
+ "jammed": "zacięcie",
+ "unlocked": "otwarto",
+ "unlocking": "otwieranie",
+ "changed_by": "Zmienione przez",
+ "code_format": "Code format",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Maksymalnie uruchomionych automatyzacji",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Grzałka pomocnicza",
+ "current_humidity": "Aktualna wilgotność",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Tryb wentylatora",
+ "diffuse": "rozproszony nawiew",
+ "middle": "pośredni",
+ "top": "nawiew górny",
+ "current_action": "Bieżące działanie",
+ "cooling": "chłodzenie",
+ "defrosting": "Defrosting",
+ "drying": "osuszanie",
+ "heating": "grzanie",
+ "preheating": "Preheating",
+ "max_target_humidity": "Maksymalna wilgotność docelowa",
+ "max_target_temperature": "Maksymalna docelowa temperatura",
+ "min_target_humidity": "Minimalna wilgotność docelowa",
+ "min_target_temperature": "Minimalna docelowa temperatura",
+ "boost": "turbo",
+ "comfort": "komfort",
+ "eco": "eko",
+ "sleep": "sen",
+ "horizontal_swing_mode": "Poziomy tryb nawiewu",
+ "swing_mode": "Tryb nawiewu",
+ "both": "ruch w obu płaszczyznach",
+ "horizontal": "ruch poziomy",
+ "upper_target_temperature": "Górna docelowa temperatura",
+ "lower_target_temperature": "Dolna docelowa temperatura",
+ "target_temperature_step": "Krok temperatury docelowej",
+ "stopped": "Zatrzymany",
+ "not_charging": "brak ładowania",
+ "disconnected": "rozłączono",
+ "connected": "połączono",
+ "hot": "gorąco",
+ "not_moving": "brak ruchu",
+ "unplugged": "odłączono",
+ "not_running": "nie działa",
+ "unsafe": "zagrożenie",
+ "tampering_detected": "Tampering detected",
+ "buffering": "buforowanie",
+ "playing": "odtwarzanie",
+ "standby": "tryb czuwania",
+ "app_id": "Identyfikator aplikacji",
+ "local_accessible_entity_picture": "Obraz encji dostępny lokalnie",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Artysta albumu",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "kanały",
+ "position_updated": "Pozycja zaktualizowana",
+ "series": "Serial",
+ "all": "All",
+ "one": "jeden",
+ "available_sound_modes": "Dostępne tryby dźwięku",
+ "available_sources": "Dostępne źródła",
+ "receiver": "Odbiornik",
+ "speaker": "Głośnik",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Następne wydarzenie",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Uruchomione automatyzacje",
- "id": "ID",
- "max_running_automations": "Maksymalnie uruchomionych automatyzacji",
- "run_mode": "Tryb uruchamiania",
- "parallel": "równoległy",
- "queued": "kolejka",
- "single": "pojedynczy",
- "cleaning": "sprzątanie",
- "returning_to_dock": "wraca do stacji dokującej",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Maksymalnie uruchomionych skryptów",
- "jammed": "zacięcie",
- "unlocking": "otwieranie",
- "members": "Encje",
- "known_hosts": "Znane hosty",
- "google_cast_configuration": "Konfiguracja Google Cast",
- "confirm_description": "Czy chcesz skonfigurować {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Konto jest już skonfigurowane",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Nie można nawiązać połączenia",
- "invalid_access_token": "Niepoprawny token dostępu",
- "invalid_authentication": "Niepoprawne uwierzytelnienie",
- "received_invalid_token_data": "Otrzymano nieprawidłowe dane tokena.",
- "abort_oauth_failed": "Błąd podczas uzyskiwania tokena dostępu.",
- "timeout_resolving_oauth_token": "Przekroczono limit czasu rozpoznawania tokena OAuth.",
- "abort_oauth_unauthorized": "Błąd autoryzacji OAuth podczas uzyskiwania tokena dostępu.",
- "re_authentication_was_successful": "Ponowne uwierzytelnienie się powiodło",
- "unexpected_error": "Nieoczekiwany błąd",
- "successfully_authenticated": "Pomyślnie uwierzytelniono",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Wybierz metodę uwierzytelniania",
- "authentication_expired_for_name": "Autoryzacja wygasła dla {name}",
+ "above_horizon": "powyżej horyzontu",
+ "below_horizon": "poniżej horyzontu",
+ "armed_away": "uzbrojony (poza domem)",
+ "armed_custom_bypass": "uzbrojony (własny bypass)",
+ "armed_home": "uzbrojony (w domu)",
+ "armed_night": "uzbrojony (noc)",
+ "armed_vacation": "uzbrojony (wakacje)",
+ "disarming": "rozbrajanie",
+ "triggered": "wyzwolony",
+ "code_for_arming": "Kod uzbrojenia",
+ "not_required": "nie wymagany",
+ "finishes_at": "Zakończenie",
+ "restore": "Przywróć",
"device_is_already_configured": "Urządzenie jest już skonfigurowane",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "Nie znaleziono urządzeń w sieci",
- "re_configuration_was_successful": "Re-configuration was successful",
+ "re_authentication_was_successful": "Ponowne uwierzytelnienie się powiodło",
+ "re_configuration_was_successful": "Ponowna konfiguracja się powiodła",
"connection_error_error": "Błąd połączenia: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
"camera_stream_authentication_failed": "Camera stream authentication failed",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "Enable camera live view",
- "username": "Nazwa użytkownika",
+ "username": "Username",
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Uwierzytelnianie",
+ "authentication_expired_for_name": "Autoryzacja wygasła dla {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
- "abort_single_instance_allowed": "Już skonfigurowano. Możliwa jest tylko jedna konfiguracja.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Czy chcesz rozpocząć konfigurację?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Nieobsługiwany typ Switchbota.",
+ "unexpected_error": "Nieoczekiwany błąd",
+ "authentication_failed_error_detail": "Uwierzytelnianie nie powiodło się: {error_detail}",
+ "error_encryption_key_invalid": "Identyfikator klucza lub klucz szyfrujący jest nieprawidłowy",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Czy chcesz skonfigurować {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Klucz szyfrujący",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Usługa jest już skonfigurowana",
- "invalid_ics_file": "Nieprawidłowy plik .ics",
- "calendar_name": "Nazwa kalendarza",
- "starting_data": "Dane początkowe",
+ "abort_already_in_progress": "Konfiguracja jest już w toku",
"abort_invalid_host": "Nieprawidłowa nazwa hosta lub adres IP",
"device_not_supported": "Urządzenie nie jest obsługiwane",
+ "invalid_authentication": "Niepoprawne uwierzytelnienie",
"name_model_at_host": "{name} ({model}, IP: {host})",
"authenticate_to_the_device": "Autoryzuj urządzeniem",
"finish_title": "Wprowadź nazwę dla urządzenia",
@@ -2282,22 +2496,142 @@
"yes_do_it": "Odblokuj",
"unlock_the_device_optional": "Odblokuj urządzenie (opcjonalne)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Limit czasu na nawiązanie połączenia",
- "link_google_account": "Połączenie z kontem Google",
- "path_is_not_allowed": "Niedozwolona ścieżka",
- "path_is_not_valid": "Nieprawidłowa ścieżka",
- "path_to_file": "Ścieżka do pliku",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Konto jest już skonfigurowane",
+ "invalid_access_token": "Niepoprawny token dostępu",
+ "received_invalid_token_data": "Otrzymano nieprawidłowe dane tokena.",
+ "abort_oauth_failed": "Błąd podczas uzyskiwania tokena dostępu.",
+ "timeout_resolving_oauth_token": "Przekroczono limit czasu rozpoznawania tokena OAuth.",
+ "abort_oauth_unauthorized": "Błąd autoryzacji OAuth podczas uzyskiwania tokena dostępu.",
+ "successfully_authenticated": "Pomyślnie uwierzytelniono",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Wybierz metodę uwierzytelniania",
+ "two_factor_code": "Kod uwierzytelniania dwuskładnikowego",
+ "two_factor_authentication": "Uwierzytelnianie dwuskładnikowe",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Zaloguj się do konta Ring",
+ "abort_alternative_integration": "Urządzenie jest lepiej obsługiwane przez inną integrację",
+ "abort_incomplete_config": "W konfiguracji brakuje wymaganej zmiennej",
+ "manual_description": "URL do pliku XML z opisem urządzenia",
+ "manual_title": "Ręczne podłączanie urządzenia DLNA DMR",
+ "discovered_dlna_dmr_devices": "Wykryto urządzenia DLNA DMR",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
+ "abort_addon_info_failed": "Failed get info for the {addon} add-on.",
+ "abort_addon_install_failed": "Failed to install the {addon} add-on.",
+ "abort_addon_start_failed": "Failed to start the {addon} add-on.",
+ "invalid_birth_topic": "Nieprawidłowy temat \"birth\"",
+ "error_bad_certificate": "Certyfikat CA jest nieprawidłowy",
+ "invalid_discovery_prefix": "Nieprawidłowy prefiks wykrywania",
+ "invalid_will_topic": "Nieprawidłowy temat \"will\"",
+ "broker": "Pośrednik",
+ "data_certificate": "Prześlij plik z niestandardowym certyfikatem CA",
+ "upload_client_certificate_file": "Prześlij plik certyfikatu klienta",
+ "upload_private_key_file": "Prześlij plik klucza prywatnego",
+ "data_keepalive": "Czas między wysłaniem wiadomości o zachowaniu aktywności",
+ "port": "Port",
+ "mqtt_protocol": "Protokół MQTT",
+ "broker_certificate_validation": "Sprawdzanie certyfikatu brokera",
+ "use_a_client_certificate": "Użyj certyfikatu klienta",
+ "ignore_broker_certificate_validation": "Ignoruj sprawdzanie certyfikatu brokera",
+ "mqtt_transport": "MQTT transport",
+ "data_ws_headers": "Nagłówki WebSocket w formacie JSON",
+ "websocket_path": "Ścieżka WebSocket",
+ "hassio_confirm_title": "Bramka deCONZ Zigbee przez dodatek Home Assistant",
+ "installing_add_on": "Installing add-on",
+ "reauth_confirm_title": "Re-authentication required with the MQTT broker",
+ "starting_add_on": "Starting add-on",
+ "menu_options_addon": "Use the official {addon} add-on.",
+ "menu_options_broker": "Manually enter the MQTT broker connection details",
"api_key": "Klucz API",
"configure_daikin_ac": "Konfiguracja Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "cannot_connect_details_error_detail": "Nie można się połączyć. Szczegóły: {error_detail}",
+ "unknown_details_error_detail": "Nieoczekiwany błąd. Szczegóły: {error_detail}",
+ "uses_an_ssl_certificate": "Używa certyfikatu SSL",
+ "verify_ssl_certificate": "Weryfikacja certyfikatu SSL",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
"adapter": "Adapter",
"multiple_adapters_description": "Wybierz adapter Bluetooth do konfiguracji",
+ "api_error_occurred": "Wystąpił błąd API",
+ "hostname_ip_address": "{hostname} ({ip_address})",
+ "enable_https": "Włącz HTTPS",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
+ "meteorologisk_institutt": "Instytut Meteorologiczny",
+ "timeout_establishing_connection": "Limit czasu na nawiązanie połączenia",
+ "link_google_account": "Połączenie z kontem Google",
+ "path_is_not_allowed": "Niedozwolona ścieżka",
+ "path_is_not_valid": "Nieprawidłowa ścieżka",
+ "path_to_file": "Ścieżka do pliku",
+ "pin_code": "Kod PIN",
+ "discovered_android_tv": "Wykryte Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "all_entities": "Wszystkie encje",
+ "hide_members": "Ukryj encje",
+ "create_group": "Create Group",
+ "device_class": "Device Class",
+ "ignore_non_numeric": "Ignoruj nienumeryczne",
+ "data_round_digits": "Zaokrąglij wartość do liczby miejsc po przecinku",
+ "type": "Type",
+ "binary_sensor_group": "Grupa sensorów binarnych",
+ "button_group": "Button group",
+ "cover_group": "Grupa rolet",
+ "event_group": "Event group",
+ "lock_group": "Grupa zamków",
+ "media_player_group": "Grupa odtwarzaczy multimedialnych",
+ "notify_group": "Notify group",
+ "sensor_group": "Grupa sensorów",
+ "switch_group": "Grupa przełączników",
+ "known_hosts": "Znane hosty",
+ "google_cast_configuration": "Konfiguracja Google Cast",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Brak adresu MAC we właściwościach MDNS.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Znaleziono węzeł ESPHome",
+ "no_deconz_bridges_discovered": "Nie odkryto mostków deCONZ",
+ "abort_no_hardware_available": "Nie wykryto komponentu radiowego podłączonego do deCONZ",
+ "abort_updated_instance": "Zaktualizowano instancję deCONZ o nowy adres hosta",
+ "error_linking_not_possible": "Nie można połączyć się z bramką",
+ "error_no_key": "Nie można uzyskać klucza API",
+ "link_with_deconz": "Połączenie z deCONZ",
+ "select_discovered_deconz_gateway": "Wybierz znalezioną bramkę deCONZ",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "Nie znaleziono usług w punkcie końcowym",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 nie jest obsługiwany.",
+ "error_custom_port_not_supported": "Urządzenie Gen1 nie obsługuje niestandardowego portu.",
"arm_away_action": "Arm away action",
"arm_custom_bypass_action": "Arm custom bypass action",
"arm_home_action": "Arm home action",
@@ -2308,12 +2642,10 @@
"trigger_action": "Trigger action",
"value_template": "Value template",
"template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Klasa urządzenia",
"state_template": "State template",
"template_binary_sensor": "Template binary sensor",
"actions_on_press": "Actions on press",
"template_button": "Template button",
- "verify_ssl_certificate": "Weryfikacja certyfikatu SSL",
"template_image": "Template image",
"actions_on_set_value": "Actions on set value",
"step_value": "Step value",
@@ -2334,114 +2666,130 @@
"template_a_sensor": "Template a sensor",
"template_a_switch": "Template a switch",
"template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
- "abort_addon_info_failed": "Failed get info for the {addon} add-on.",
- "abort_addon_install_failed": "Failed to install the {addon} add-on.",
- "abort_addon_start_failed": "Failed to start the {addon} add-on.",
- "invalid_birth_topic": "Nieprawidłowy temat \"birth\"",
- "error_bad_certificate": "Certyfikat CA jest nieprawidłowy",
- "invalid_discovery_prefix": "Nieprawidłowy prefiks wykrywania",
- "invalid_will_topic": "Nieprawidłowy temat \"will\"",
- "broker": "Pośrednik",
- "data_certificate": "Prześlij plik z niestandardowym certyfikatem CA",
- "upload_client_certificate_file": "Prześlij plik certyfikatu klienta",
- "upload_private_key_file": "Prześlij plik klucza prywatnego",
- "data_keepalive": "Czas między wysłaniem wiadomości o zachowaniu aktywności",
- "port": "Port",
- "mqtt_protocol": "Protokół MQTT",
- "broker_certificate_validation": "Sprawdzanie certyfikatu brokera",
- "use_a_client_certificate": "Użyj certyfikatu klienta",
- "ignore_broker_certificate_validation": "Ignoruj sprawdzanie certyfikatu brokera",
- "mqtt_transport": "MQTT transport",
- "data_ws_headers": "Nagłówki WebSocket w formacie JSON",
- "websocket_path": "Ścieżka WebSocket",
- "hassio_confirm_title": "Bramka deCONZ Zigbee przez dodatek Home Assistant",
- "installing_add_on": "Installing add-on",
- "reauth_confirm_title": "Re-authentication required with the MQTT broker",
- "starting_add_on": "Starting add-on",
- "menu_options_addon": "Use the official {addon} add-on.",
- "menu_options_broker": "Manually enter the MQTT broker connection details",
- "no_deconz_bridges_discovered": "Nie odkryto mostków deCONZ",
- "abort_no_hardware_available": "Nie wykryto komponentu radiowego podłączonego do deCONZ",
- "abort_updated_instance": "Zaktualizowano instancję deCONZ o nowy adres hosta",
- "error_linking_not_possible": "Nie można połączyć się z bramką",
- "error_no_key": "Nie można uzyskać klucza API",
- "link_with_deconz": "Połączenie z deCONZ",
- "select_discovered_deconz_gateway": "Wybierz znalezioną bramkę deCONZ",
- "error_already_in_progress": "Konfiguracja jest już w toku",
- "pin_code": "Kod PIN",
- "discovered_android_tv": "Wykryte Android TV",
- "abort_mdns_missing_mac": "Brak adresu MAC we właściwościach MDNS.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Znaleziono węzeł ESPHome",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "Nie znaleziono usług w punkcie końcowym",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Urządzenie jest lepiej obsługiwane przez inną integrację",
- "abort_incomplete_config": "W konfiguracji brakuje wymaganej zmiennej",
- "manual_description": "URL do pliku XML z opisem urządzenia",
- "manual_title": "Ręczne podłączanie urządzenia DLNA DMR",
- "discovered_dlna_dmr_devices": "Wykryto urządzenia DLNA DMR",
- "api_error_occurred": "Wystąpił błąd API",
- "hostname_ip_address": "{hostname} ({ip_address})",
- "enable_https": "Włącz HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
- "meteorologisk_institutt": "Instytut Meteorologiczny",
- "ipv_is_not_supported": "IPv6 nie jest obsługiwany.",
- "error_custom_port_not_supported": "Urządzenie Gen1 nie obsługuje niestandardowego portu.",
- "two_factor_code": "Kod uwierzytelniania dwuskładnikowego",
- "two_factor_authentication": "Uwierzytelnianie dwuskładnikowe",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Zaloguj się do konta Ring",
- "all_entities": "Wszystkie encje",
- "hide_members": "Ukryj encje",
- "create_group": "Create Group",
- "ignore_non_numeric": "Ignoruj nienumeryczne",
- "data_round_digits": "Zaokrąglij wartość do liczby miejsc po przecinku",
- "type": "Type",
- "binary_sensor_group": "Grupa sensorów binarnych",
- "button_group": "Button group",
- "cover_group": "Grupa rolet",
- "event_group": "Event group",
- "fan_group": "Grupa wentylatorów",
- "light_group": "Grupa świateł",
- "lock_group": "Grupa zamków",
- "media_player_group": "Grupa odtwarzaczy multimedialnych",
- "notify_group": "Notify group",
- "sensor_group": "Grupa sensorów",
- "switch_group": "Grupa przełączników",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Nieobsługiwany typ Switchbota.",
- "authentication_failed_error_detail": "Uwierzytelnianie nie powiodło się: {error_detail}",
- "error_encryption_key_invalid": "Identyfikator klucza lub klucz szyfrujący jest nieprawidłowy",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Adres urządzenia",
- "cannot_connect_details_error_detail": "Nie można się połączyć. Szczegóły: {error_detail}",
- "unknown_details_error_detail": "Nieoczekiwany błąd. Szczegóły: {error_detail}",
- "uses_an_ssl_certificate": "Używa certyfikatu SSL",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "To urządzenie nie jest urządzeniem zha",
+ "abort_usb_probe_failed": "Nie udało się sondować urządzenia USB",
+ "invalid_backup_json": "Nieprawidłowa kopia zapasowa JSON",
+ "choose_an_automatic_backup": "Wybierz automatyczną kopię zapasową",
+ "restore_automatic_backup": "Przywracanie z automatycznej kopii zapasowej",
+ "choose_formation_strategy_description": "Wybierz ustawienia sieciowe radia.",
+ "restore_an_automatic_backup": "Przywróć z automatycznej kopii zapasowej",
+ "create_a_network": "Utwórz sieć",
+ "keep_radio_network_settings": "Zachowaj ustawienia sieciowe radia",
+ "upload_a_manual_backup": "Przesyłanie ręcznej kopii zapasowej",
+ "network_formation": "Tworzenie sieci",
+ "serial_device_path": "Ścieżka urządzenia szeregowego",
+ "select_a_serial_port": "Wybór portu szeregowego",
+ "radio_type": "Typ radia",
+ "manual_pick_radio_type_description": "Wybierz typ radia Zigbee",
+ "port_speed": "prędkość portu",
+ "data_flow_control": "kontrola przepływu danych",
+ "manual_port_config_description": "Wprowadź ustawienia portu szeregowego",
+ "serial_port_settings": "Ustawienia portu szeregowego",
+ "data_overwrite_coordinator_ieee": "Trwałe zastąpienie radiowego adresu IEEE",
+ "overwrite_radio_ieee_address": "Nadpisanie adresu IEEE radia",
+ "upload_a_file": "Prześlij plik",
+ "radio_is_not_recommended": "Radio nie jest zalecane",
+ "invalid_ics_file": "Nieprawidłowy plik .ics",
+ "calendar_name": "Nazwa kalendarza",
+ "starting_data": "Dane początkowe",
+ "zha_alarm_options_alarm_arm_requires_code": "Kod wymagany do akcji uzbrajania",
+ "zha_alarm_options_alarm_master_code": "Kod główny panelu (paneli) alarmowego",
+ "alarm_control_panel_options": "Opcje panelu alarmowego",
+ "zha_options_consider_unavailable_battery": "Uznaj urządzenia zasilane bateryjnie za niedostępne po (sekundach)",
+ "zha_options_consider_unavailable_mains": "Uznaj urządzenia zasilane z gniazdka za niedostępne po (sekundach)",
+ "zha_options_default_light_transition": "Domyślny czas efektu przejścia dla światła (w sekundach)",
+ "zha_options_group_members_assume_state": "Encje grupy przyjmują stan grupy",
+ "zha_options_light_transitioning_flag": "Włącz suwak zwiększonej jasności podczas przejścia światła",
+ "global_options": "Opcje ogólne",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Liczba ponownych prób",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Nieprawidłowy adres URL",
+ "data_browse_unfiltered": "Pokaż niezgodne multimedia podczas przeglądania",
+ "event_listener_callback_url": "Adres Callback URL dla detektora zdarzeń",
+ "data_listen_port": "Port detektora zdarzeń (losowy, jeśli nie jest ustawiony)",
+ "poll_for_device_availability": "Sondowanie na dostępność urządzeń",
+ "init_title": "Konfiguracja rendera multimediów cyfrowych (DMR) dla DLNA",
+ "broker_options": "Opcje brokera",
+ "enable_birth_message": "Włącz wiadomość \"birth\"",
+ "birth_message_payload": "Wartość wiadomości \"birth\"",
+ "birth_message_qos": "QoS wiadomości \"birth\"",
+ "birth_message_retain": "Flaga \"retain\" wiadomości \"birth\"",
+ "birth_message_topic": "Temat wiadomości \"birth\"",
+ "enable_discovery": "Włącz wykrywanie",
+ "discovery_prefix": "Prefiks wykrywania",
+ "enable_will_message": "Włącz wiadomość \"will\"",
+ "will_message_payload": "Wartość wiadomości \"will\"",
+ "will_message_qos": "QoS wiadomości \"will\"",
+ "will_message_retain": "Flaga \"retain\" wiadomości \"will\"",
+ "will_message_topic": "Temat wiadomości \"will\"",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "Opcje MQTT",
+ "passive_scanning": "Skanowanie pasywne",
+ "protocol": "Protokół",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Kod języka",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "data_app_delete": "Check to delete this application",
+ "application_icon": "Application icon",
+ "application_id": "Application ID",
+ "application_name": "Application name",
+ "configure_application_id_app_id": "Configure application ID {app_id}",
+ "configure_android_apps": "Configure Android apps",
+ "configure_applications_list": "Configure applications list",
"ignore_cec": "Ignoruj CEC",
"allowed_uuids": "Dozwolone identyfikatory UUID",
"advanced_google_cast_configuration": "Zaawansowana konfiguracja Google Cast",
+ "allow_deconz_clip_sensors": "Zezwalaj na sensory deCONZ CLIP",
+ "allow_deconz_light_groups": "Zezwalaj na grupy świateł deCONZ",
+ "data_allow_new_devices": "Zezwalaj na automatyczne dodawanie nowych urządzeń",
+ "deconz_devices_description": "Skonfiguruj widoczność typów urządzeń deCONZ",
+ "deconz_options": "Opcje deCONZ",
+ "select_test_server": "Wybierz serwer",
+ "data_calendar_access": "Dostęp Home Assistanta do Kalendarza Google",
+ "bluetooth_scanner_mode": "Tryb skanera Bluetooth",
"device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
"not_supported": "Not Supported",
"localtuya_configuration": "LocalTuya Configuration",
@@ -2458,7 +2806,6 @@
"data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
"data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
"data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
"configure_tuya_device": "Configure Tuya device",
"configure_device_description": "Fill in the device details{for_device}.",
"device_id": "Device ID",
@@ -2510,113 +2857,33 @@
"maximum_fan_speed_integer": "maximum fan speed integer",
"data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
"fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Dostęp Home Assistanta do Kalendarza Google",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Skanowanie pasywne",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Opcje brokera",
- "enable_birth_message": "Włącz wiadomość \"birth\"",
- "birth_message_payload": "Wartość wiadomości \"birth\"",
- "birth_message_qos": "QoS wiadomości \"birth\"",
- "birth_message_retain": "Flaga \"retain\" wiadomości \"birth\"",
- "birth_message_topic": "Temat wiadomości \"birth\"",
- "enable_discovery": "Włącz wykrywanie",
- "discovery_prefix": "Prefiks wykrywania",
- "enable_will_message": "Włącz wiadomość \"will\"",
- "will_message_payload": "Wartość wiadomości \"will\"",
- "will_message_qos": "QoS wiadomości \"will\"",
- "will_message_retain": "Flaga \"retain\" wiadomości \"will\"",
- "will_message_topic": "Temat wiadomości \"will\"",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "Opcje MQTT",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
"data_allow_nameless_uuids": "Obecnie dozwolone identyfikatory UUID. Odznacz, aby usunąć",
"data_new_uuid": "Wprowadź nowy dozwolony UUID",
- "allow_deconz_clip_sensors": "Zezwalaj na sensory deCONZ CLIP",
- "allow_deconz_light_groups": "Zezwalaj na grupy świateł deCONZ",
- "data_allow_new_devices": "Zezwalaj na automatyczne dodawanie nowych urządzeń",
- "deconz_devices_description": "Skonfiguruj widoczność typów urządzeń deCONZ",
- "deconz_options": "Opcje deCONZ",
- "data_app_delete": "Check to delete this application",
- "application_icon": "Application icon",
- "application_id": "Application ID",
- "application_name": "Application name",
- "configure_application_id_app_id": "Configure application ID {app_id}",
- "configure_android_apps": "Configure Android apps",
- "configure_applications_list": "Configure applications list",
- "invalid_url": "Nieprawidłowy adres URL",
- "data_browse_unfiltered": "Pokaż niezgodne multimedia podczas przeglądania",
- "event_listener_callback_url": "Adres Callback URL dla detektora zdarzeń",
- "data_listen_port": "Port detektora zdarzeń (losowy, jeśli nie jest ustawiony)",
- "poll_for_device_availability": "Sondowanie na dostępność urządzeń",
- "init_title": "Konfiguracja rendera multimediów cyfrowych (DMR) dla DLNA",
- "protocol": "Protokół",
- "language_code": "Kod języka",
- "bluetooth_scanner_mode": "Tryb skanera Bluetooth",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Liczba ponownych prób",
- "select_test_server": "Wybierz serwer",
- "toggle_entity_name": "Przełącz {entity_name}",
- "turn_off_entity_name": "Wyłącz {entity_name}",
- "turn_on_entity_name": "Włącz {entity_name}",
- "entity_name_is_off": "{entity_name} jest wyłączone",
- "entity_name_is_on": "{entity_name} jest włączone",
- "trigger_type_changed_states": "{entity_name} włączony lub wyłączony",
- "entity_name_turned_off": "{entity_name} wyłączony",
- "entity_name_turned_on": "{entity_name} włączony",
+ "reconfigure_zha": "Zmiana konfiguracji ZHA",
+ "unplug_your_old_radio": "Odłącz stary typ radia",
+ "intent_migrate_title": "Migracja do nowego radia",
+ "re_configure_the_current_radio": "Ponowna konfiguracja",
+ "migrate_or_re_configure": "Migracja czy ponowna konfiguracja",
"current_entity_name_apparent_power": "aktualna moc pozorna {entity_name}",
"condition_type_is_aqi": "obecny indeks jakości powietrza {entity_name}",
"current_entity_name_area": "Current {entity_name} area",
@@ -2710,15 +2977,78 @@
"entity_name_water_changes": "zmieni się poziom wody {entity_name}",
"entity_name_weight_changes": "zmieni się waga {entity_name}",
"entity_name_wind_speed_changes": "zmieni się prędkość wiatru {entity_name}",
+ "decrease_entity_name_brightness": "zmniejsz jasność {entity_name}",
+ "increase_entity_name_brightness": "zwiększ jasność {entity_name}",
+ "flash_entity_name": "błyśnij {entity_name}",
+ "toggle_entity_name": "Przełącz {entity_name}",
+ "turn_off_entity_name": "Wyłącz {entity_name}",
+ "turn_on_entity_name": "Włącz {entity_name}",
+ "entity_name_is_off": "{entity_name} jest wyłączone",
+ "entity_name_is_on": "{entity_name} jest włączone",
+ "flash": "Błysk",
+ "trigger_type_changed_states": "{entity_name} włączony lub wyłączony",
+ "entity_name_turned_off": "{entity_name} wyłączony",
+ "entity_name_turned_on": "{entity_name} włączony",
+ "set_value_for_entity_name": "ustaw wartość dla {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "zmieni się dostępność aktualizacji {entity_name}",
+ "entity_name_became_up_to_date": "wykonano aktualizację dla {entity_name}",
+ "trigger_type_update": "{entity_name} ma dostępną aktualizację",
+ "first_button": "pierwszy",
+ "second_button": "drugi",
+ "third_button": "trzeci",
+ "fourth_button": "czwarty",
+ "fifth_button": "piąty",
+ "sixth_button": "szósty",
+ "subtype_double_clicked": "\"{subtype}\" zostanie podwójnie naciśnięty",
+ "subtype_continuously_pressed": "\"{subtype}\" zostanie naciśnięty w sposób ciągły",
+ "trigger_type_button_long_release": "przycisk \"{subtype}\" zostanie zwolniony po długim naciśnięciu",
+ "subtype_quadruple_clicked": "\"{subtype}\" czterokrotnie naciśnięty",
+ "subtype_quintuple_clicked": "\"{subtype}\" zostanie pięciokrotnie naciśnięty",
+ "subtype_pressed": "\"{subtype}\" zostanie naciśnięty",
+ "subtype_released": "\"{subtype}\" zostanie zwolniony",
+ "subtype_triple_clicked": "\"{subtype}\" zostanie trzykrotnie naciśnięty",
+ "entity_name_is_home": "urządzenie {entity_name} jest w domu",
+ "entity_name_is_not_home": "urządzenie {entity_name} jest poza domem",
+ "entity_name_enters_a_zone": "{entity_name} wejdzie do strefy",
+ "entity_name_leaves_a_zone": "{entity_name} opuści strefę",
+ "press_entity_name_button": "naciśnij przycisk {entity_name}",
+ "entity_name_has_been_pressed": "{entity_name} został naciśnięty",
+ "let_entity_name_clean": "niech odkurzacz {entity_name} sprząta",
+ "action_type_dock": "niech odkurzacz {entity_name} wróci do bazy",
+ "entity_name_is_cleaning": "odkurzacz {entity_name} sprząta",
+ "entity_name_is_docked": "odkurzacz {entity_name} jest w bazie",
+ "entity_name_started_cleaning": "odkurzacz {entity_name} zacznie sprzątać",
+ "entity_name_docked": "odkurzacz {entity_name} wróci do bazy",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "zablokuj {entity_name}",
+ "open_entity_name": "otwórz {entity_name}",
+ "unlock_entity_name": "odblokuj {entity_name}",
+ "entity_name_is_locked": "sensor {entity_name} wykrywa zamknięcie",
+ "entity_name_is_open": "sensor {entity_name} jest otwarty",
+ "entity_name_is_unlocked": "sensor {entity_name} nie wykrywa otwarcia",
+ "entity_name_locked": "nastąpi zamknięcie {entity_name}",
+ "entity_name_opened": "nastąpi otwarcie {entity_name}",
"action_type_set_hvac_mode": "zmień tryb pracy dla {entity_name}",
"change_preset_on_entity_name": "zmień ustawienia dla {entity_name}",
- "hvac_mode": "HVAC mode",
+ "hvac_mode": "Tryb HVAC",
"to": "Do",
"entity_name_measured_humidity_changed": "zmieni się zmierzona wilgotność {entity_name}",
"entity_name_measured_temperature_changed": "zmieni się zmierzona temperatura {entity_name}",
"entity_name_hvac_mode_changed": "zmieni się tryb HVAC {entity_name}",
- "set_value_for_entity_name": "ustaw wartość dla {entity_name}",
- "value": "Wartość",
+ "close_entity_name": "zamknij {entity_name}",
+ "close_entity_name_tilt": "zamknij pochylenie {entity_name}",
+ "open_entity_name_tilt": "otwórz {entity_name} do pochylenia",
+ "set_entity_name_position": "ustaw pozycję {entity_name}",
+ "set_entity_name_tilt_position": "ustaw pochylenie {entity_name}",
+ "stop_entity_name": "zatrzymaj {entity_name}",
+ "entity_name_is_closed": "sensor {entity_name} jest zamknięty",
+ "entity_name_closing": "{entity_name} się zamyka",
+ "entity_name_opening": "{entity_name} się otwiera",
+ "current_entity_name_position_is": "pozycja {entity_name} to",
+ "condition_type_is_tilt_position": "pochylenie {entity_name} to",
+ "entity_name_position_changes": "zmieni się pozycja {entity_name}",
+ "entity_name_tilt_position_changes": "zmieni się pochylenie {entity_name}",
"entity_name_battery_is_low": "bateria {entity_name} jest rozładowana",
"entity_name_is_charging": "{entity_name} ładuje się",
"condition_type_is_co": "sensor {entity_name} wykrywa tlenek węgla",
@@ -2727,7 +3057,6 @@
"entity_name_is_detecting_gas": "sensor {entity_name} wykrywa gaz",
"entity_name_is_hot": "sensor {entity_name} wykrywa gorąco",
"entity_name_is_detecting_light": "sensor {entity_name} wykrywa światło",
- "entity_name_is_locked": "zamek {entity_name} jest zamknięty",
"entity_name_is_moist": "sensor {entity_name} wykrywa wilgoć",
"entity_name_is_detecting_motion": "sensor {entity_name} wykrywa ruch",
"entity_name_is_moving": "sensor {entity_name} porusza się",
@@ -2745,11 +3074,9 @@
"entity_name_is_not_cold": "sensor {entity_name} nie wykrywa zimna",
"entity_name_is_disconnected": "sensor {entity_name} nie wykrywa rozłączenia",
"entity_name_is_not_hot": "sensor {entity_name} nie wykrywa gorąca",
- "entity_name_is_unlocked": "zamek {entity_name} jest otwarty",
"entity_name_is_dry": "sensor {entity_name} nie wykrywa wilgoci",
"entity_name_is_not_moving": "sensor {entity_name} nie porusza się",
"entity_name_is_not_occupied": "sensor {entity_name} nie jest zajęty",
- "entity_name_is_closed": "{entity_name} jest zamknięta",
"entity_name_is_unplugged": "sensor {entity_name} wykrywa odłączenie",
"entity_name_is_not_powered": "sensor {entity_name} nie wykrywa zasilania",
"entity_name_is_not_present": "sensor {entity_name} nie wykrywa obecności",
@@ -2757,7 +3084,6 @@
"condition_type_is_not_tampered": "sensor {entity_name} nie wykrywa naruszenia",
"entity_name_is_safe": "sensor {entity_name} nie wykrywa zagrożenia",
"entity_name_is_occupied": "sensor {entity_name} jest zajęty",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "sensor {entity_name} wykrywa podłączenie",
"entity_name_is_powered": "sensor {entity_name} wykrywa zasilanie",
"entity_name_is_present": "sensor {entity_name} wykrywa obecność",
@@ -2777,7 +3103,6 @@
"entity_name_started_detecting_gas": "sensor {entity_name} wykryje gaz",
"entity_name_became_hot": "sensor {entity_name} wykryje gorąco",
"entity_name_started_detecting_light": "sensor {entity_name} wykryje światło",
- "entity_name_locked": "nastąpi zamknięcie {entity_name}",
"entity_name_became_moist": "nastąpi wykrycie wilgoci {entity_name}",
"entity_name_started_detecting_motion": "sensor {entity_name} wykryje ruch",
"entity_name_started_moving": "sensor {entity_name} zacznie poruszać się",
@@ -2788,14 +3113,12 @@
"entity_name_stopped_detecting_problem": "sensor {entity_name} przestanie wykrywać problem",
"entity_name_stopped_detecting_smoke": "sensor {entity_name} przestanie wykrywać dym",
"entity_name_stopped_detecting_sound": "sensor {entity_name} przestanie wykrywać dźwięk",
- "entity_name_became_up_to_date": "wykonano aktualizację dla {entity_name}",
"entity_name_stopped_detecting_vibration": "sensor {entity_name} przestanie wykrywać wibracje",
"entity_name_battery_normal": "nastąpi naładowanie baterii {entity_name}",
"entity_name_not_charging": "{entity_name} nie łąduje",
"entity_name_became_not_cold": "sensor {entity_name} przestanie wykrywać zimno",
"entity_name_disconnected": "nastąpi rozłączenie {entity_name}",
"entity_name_became_not_hot": "sensor {entity_name} przestanie wykrywać gorąco",
- "entity_name_unlocked": "nastąpi otwarcie {entity_name}",
"entity_name_became_dry": "sensor {entity_name} przestanie wykrywać wilgoć",
"entity_name_stopped_moving": "sensor {entity_name} przestanie poruszać się",
"entity_name_became_not_occupied": "sensor {entity_name} przestanie być zajęty",
@@ -2806,7 +3129,6 @@
"entity_name_stopped_detecting_tampering": "sensor {entity_name} przestanie wykrywać naruszenie",
"entity_name_became_safe": "sensor {entity_name} przestanie wykrywać zagrożenie",
"entity_name_became_occupied": "sensor {entity_name} stanie się zajęty",
- "entity_name_opened": "{entity_name} opened",
"entity_name_powered": "nastąpi podłączenie zasilenia {entity_name}",
"entity_name_present": "sensor {entity_name} wykryje obecność",
"entity_name_started_detecting_problem": "sensor {entity_name} wykryje problem",
@@ -2815,7 +3137,6 @@
"entity_name_started_detecting_sound": "sensor {entity_name} wykryje dźwięk",
"entity_name_started_detecting_tampering": "sensor {entity_name} wykryje naruszenie",
"entity_name_became_unsafe": "sensor {entity_name} wykryje zagrożenie",
- "trigger_type_update": "{entity_name} ma dostępną aktualizację",
"entity_name_started_detecting_vibration": "sensor {entity_name} wykryje wibracje",
"entity_name_is_buffering": "{entity_name} buforuje",
"entity_name_is_idle": "odtwarzacz {entity_name} jest nieaktywny",
@@ -2824,35 +3145,6 @@
"entity_name_starts_buffering": "{entity_name} rozpocznie buforowanie",
"entity_name_becomes_idle": "odtwarzacz {entity_name} stanie się bezczynny",
"entity_name_starts_playing": "odtwarzacz {entity_name} rozpocznie odtwarzanie",
- "entity_name_is_home": "urządzenie {entity_name} jest w domu",
- "entity_name_is_not_home": "urządzenie {entity_name} jest poza domem",
- "entity_name_enters_a_zone": "{entity_name} wejdzie do strefy",
- "entity_name_leaves_a_zone": "{entity_name} opuści strefę",
- "decrease_entity_name_brightness": "zmniejsz jasność {entity_name}",
- "increase_entity_name_brightness": "zwiększ jasność {entity_name}",
- "flash_entity_name": "błyśnij {entity_name}",
- "flash": "Błysk",
- "entity_name_update_availability_changed": "zmieni się dostępność aktualizacji {entity_name}",
- "arm_entity_name_away": "uzbrój (poza domem) {entity_name}",
- "arm_entity_name_home": "uzbrój (w domu) {entity_name}",
- "arm_entity_name_night": "uzbrój (noc) {entity_name}",
- "arm_entity_name_vacation": "uzbrój (tryb wakacyjny) {entity_name}",
- "disarm_entity_name": "rozbrój {entity_name}",
- "trigger_entity_name": "wyzwól {entity_name}",
- "entity_name_is_armed_away": "alarm {entity_name} jest uzbrojony (poza domem)",
- "entity_name_is_armed_home": "alarm {entity_name} jest uzbrojony (w domu)",
- "entity_name_is_armed_night": "alarm {entity_name} jest uzbrojony (noc)",
- "entity_name_is_armed_vacation": "alarm {entity_name} jest uzbrojony (tryb wakacyjny)",
- "entity_name_is_disarmed": "alarm {entity_name} jest rozbrojony",
- "entity_name_is_triggered": "alarm {entity_name} jest wyzwolony",
- "entity_name_armed_away": "alarm {entity_name} zostanie uzbrojony (poza domem)",
- "entity_name_armed_home": "alarm {entity_name} zostanie uzbrojony (w domu)",
- "entity_name_armed_night": "alarm {entity_name} zostanie uzbrojony (noc)",
- "entity_name_armed_vacation": "alarm {entity_name} zostanie uzbrojony (tryb wakacyjny)",
- "entity_name_disarmed": "alarm {entity_name} zostanie rozbrojony",
- "entity_name_triggered": "alarm {entity_name} zostanie wyzwolony",
- "press_entity_name_button": "naciśnij przycisk {entity_name}",
- "entity_name_has_been_pressed": "{entity_name} został naciśnięty",
"action_type_select_first": "zmień {entity_name} na pierwszą opcję",
"action_type_select_last": "zmień {entity_name} na ostatnią opcję",
"action_type_select_next": "zmień {entity_name} na następną opcję",
@@ -2862,33 +3154,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "zmieniono opcję {entity_name}",
- "close_entity_name": "zamknij {entity_name}",
- "close_entity_name_tilt": "zamknij pochylenie {entity_name}",
- "open_entity_name": "otwórz {entity_name}",
- "open_entity_name_tilt": "otwórz {entity_name} do pochylenia",
- "set_entity_name_position": "ustaw pozycję {entity_name}",
- "set_entity_name_tilt_position": "ustaw pochylenie {entity_name}",
- "stop_entity_name": "zatrzymaj {entity_name}",
- "entity_name_closing": "{entity_name} się zamyka",
- "entity_name_opening": "{entity_name} się otwiera",
- "current_entity_name_position_is": "pozycja {entity_name} to",
- "condition_type_is_tilt_position": "pochylenie {entity_name} to",
- "entity_name_position_changes": "zmieni się pozycja {entity_name}",
- "entity_name_tilt_position_changes": "zmieni się pochylenie {entity_name}",
- "first_button": "pierwszy przycisk",
- "second_button": "drugi przycisk",
- "third_button": "trzeci przycisk",
- "fourth_button": "czwarty przycisk",
- "fifth_button": "piąty",
- "sixth_button": "szósty",
- "subtype_double_push": "{subtype} zostanie dwukrotnie naciśnięty",
- "subtype_continuously_pressed": "\"{subtype}\" zostanie naciśnięty w sposób ciągły",
- "trigger_type_button_long_release": "przycisk \"{subtype}\" zostanie zwolniony po długim naciśnięciu",
- "subtype_quadruple_clicked": "\"{subtype}\" zostanie czterokrotnie naciśnięty",
- "subtype_quintuple_clicked": "\"{subtype}\" zostanie pięciokrotnie naciśnięty",
- "subtype_pressed": "\"{subtype}\" zostanie naciśnięty",
- "subtype_released": "\"{subtype}\" zostanie zwolniony",
- "subtype_triple_push": "{subtype} zostanie trzykrotnie naciśnięty",
"both_buttons": "oba przyciski",
"bottom_buttons": "dolne przyciski",
"seventh_button": "siódmy",
@@ -2914,42 +3179,62 @@
"trigger_type_remote_rotate_from_side": "urządzenie obrócone ze \"strona 6\" na \"{subtype}\"",
"device_turned_clockwise": "urządzenie obrócone zgodnie z ruchem wskazówek zegara",
"device_turned_counter_clockwise": "urządzenie obrócone przeciwnie do ruchu wskazówek zegara",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "niech odkurzacz {entity_name} sprząta",
- "action_type_dock": "niech odkurzacz {entity_name} wróci do bazy",
- "entity_name_is_cleaning": "odkurzacz {entity_name} sprząta",
- "entity_name_is_docked": "odkurzacz {entity_name} jest w bazie",
- "entity_name_started_cleaning": "odkurzacz {entity_name} zacznie sprzątać",
- "entity_name_docked": "odkurzacz {entity_name} wróci do bazy",
"subtype_button_down": "{subtype} zostanie wciśnięty",
"subtype_button_up": "{subtype} zostanie puszczony",
+ "subtype_double_push": "{subtype} zostanie dwukrotnie naciśnięty",
"subtype_long_push": "{subtype} zostanie długo naciśnięty",
"trigger_type_long_single": "{subtype} zostanie długo naciśnięty, a następnie pojedynczo naciśnięty",
"subtype_single_push": "{subtype} zostanie pojedynczo naciśnięty",
"trigger_type_single_long": "{subtype} pojedynczo naciśnięty, a następnie długo naciśnięty",
- "lock_entity_name": "zablokuj {entity_name}",
- "unlock_entity_name": "odblokuj {entity_name}",
+ "subtype_triple_push": "{subtype} zostanie trzykrotnie naciśnięty",
+ "arm_entity_name_away": "uzbrój (poza domem) {entity_name}",
+ "arm_entity_name_home": "uzbrój (w domu) {entity_name}",
+ "arm_entity_name_night": "uzbrój (noc) {entity_name}",
+ "arm_entity_name_vacation": "uzbrój (tryb wakacyjny) {entity_name}",
+ "disarm_entity_name": "rozbrój {entity_name}",
+ "trigger_entity_name": "wyzwól {entity_name}",
+ "entity_name_is_armed_away": "alarm {entity_name} jest uzbrojony (poza domem)",
+ "entity_name_is_armed_home": "alarm {entity_name} jest uzbrojony (w domu)",
+ "entity_name_is_armed_night": "alarm {entity_name} jest uzbrojony (noc)",
+ "entity_name_is_armed_vacation": "alarm {entity_name} jest uzbrojony (tryb wakacyjny)",
+ "entity_name_is_disarmed": "alarm {entity_name} jest rozbrojony",
+ "entity_name_is_triggered": "alarm {entity_name} jest wyzwolony",
+ "entity_name_armed_away": "alarm {entity_name} zostanie uzbrojony (poza domem)",
+ "entity_name_armed_home": "alarm {entity_name} zostanie uzbrojony (w domu)",
+ "entity_name_armed_night": "alarm {entity_name} zostanie uzbrojony (noc)",
+ "entity_name_armed_vacation": "alarm {entity_name} zostanie uzbrojony (tryb wakacyjny)",
+ "entity_name_disarmed": "alarm {entity_name} zostanie rozbrojony",
+ "entity_name_triggered": "alarm {entity_name} zostanie wyzwolony",
+ "action_type_issue_all_led_effect": "ustaw efekt dla wszystkich LED-ów",
+ "action_type_issue_individual_led_effect": "ustaw efekt dla poszczególnych LED-ów",
+ "squawk": "squawk",
+ "warn": "ostrzeżenie",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "z dowolną twarzą aktywowaną",
+ "device_dropped": "nastąpi upadek urządzenia",
+ "device_flipped_subtype": "nastąpi odwrócenie urządzenia \"{subtype}\"",
+ "device_knocked_subtype": "nastąpi puknięcie w urządzenie \"{subtype}\"",
+ "device_offline": "urządzenie przejdzie w tryb offline",
+ "device_rotated_subtype": "nastąpi obrócenie urządzenia \"{subtype}\"",
+ "device_slid_subtype": "nastąpi przesunięcie urządzenia \"{subtype}\"",
+ "device_tilted": "nastąpi przechylenie urządzenia",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" zostanie dwukrotnie naciśnięty (tryb alternatywny)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" zostanie naciśnięty w sposób ciągły (tryb alternatywny)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" zostanie zwolniony po długim naciśnięciu (tryb alternatywny)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" zostanie czterokrotnie naciśnięty (tryb alternatywny)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" zostanie pięciokrotnie naciśnięty (tryb alternatywny)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" zostanie naciśnięty (tryb alternatywny)",
+ "subtype_released_alternate_mode": "\"{subtype}\" zostanie zwolniony (tryb alternatywny)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" zostanie trzykrotnie naciśnięty (tryb alternatywny)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "Brak jednostki miary",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Utwórz pusty kalendarz",
- "options_import_ics_file": "Prześlij plik iCalendar (.ics)",
- "passive": "pasywny",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Średnia arytmetyczna",
- "median": "Mediana",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3076,52 +3361,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Wyłącz jedno lub więcej świateł.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Przejście",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Zamyka zawór.",
- "opens_a_valve": "Otwiera zawór.",
- "set_valve_position_description": "Ustawia zawór do określonej pozycji.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Zatrzymuje ruch zaworu.",
- "toggles_a_valve_open_closed": "Przełącza zawór do stanu otwarty/zamknięty.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "pasywny",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "Brak jednostki miary",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Średnia arytmetyczna",
+ "median": "Mediana",
+ "product": "Produkt",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Utwórz pusty kalendarz",
+ "options_import_ics_file": "Prześlij plik iCalendar (.ics)",
"sets_a_random_effect": "Ustawia losowy efekt.",
"sequence_description": "Lista sekwencji HSV (Max 16).",
"backgrounds": "Tła",
@@ -3138,6 +3393,7 @@
"saturation_range": "Zakres nasycenia",
"segments_description": "Lista segmentów (0 dla wszystkich).",
"segments": "Segmenty",
+ "transition": "Transition",
"range_of_transition": "Zakres przejścia.",
"transition_range": "Zakres przejścia",
"random_effect": "Efekt losowy",
@@ -3148,6 +3404,170 @@
"speed_of_spread": "Szybkość rozprzestrzeniania się.",
"spread": "Rozprzestrzenianie się",
"sequence_effect": "Efekt sekwencji",
+ "output_path": "Ścieżka wyjściowa",
+ "trigger_a_node_red_flow": "Wyzwól przepływ Node-RED",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
+ "a_human_readable_color_name": "Nazwa koloru przyjazna dla użytkownika.",
+ "color_name": "Nazwa koloru",
+ "color_temperature_in_mireds": "Temperatura barwowa w miredach.",
+ "light_effect": "Efekt świetlny.",
+ "hue_sat_color": "Odcień/Nasycenie koloru",
+ "color_temperature_in_kelvin": "Temperatura barwowa w Kelwinach.",
+ "profile_description": "Nazwa profilu światła do użycia.",
+ "rgbw_color": "Kolor RGBW",
+ "rgbww_color": "Kolor RGBWW",
+ "white_description": "Ustaw światło w trybie białym.",
+ "xy_color": "Kolor XY",
+ "turn_off_description": "Sends the turn off command.",
+ "brightness_step_description": "Zmień jasność o określoną wartość.",
+ "brightness_step_value": "Wartość kroku zmiany jasności",
+ "brightness_step_pct_description": "Zmienia jasność o stopień procentowy.",
+ "brightness_step": "Krok zmiany jasności",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Wstrzymuje zadanie koszenia trawy.",
+ "starts_the_mowing_task": "Rozpoczyna zadanie koszenia trawy.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Usuwa kod użytkownika z zamka.",
+ "code_slot_description": "Slot kodu do ustawienia kodu.",
+ "code_slot": "Slot kodu",
+ "clear_lock_user": "Wyczyść kod użytkownika",
+ "disable_lock_user_code_description": "Wyłącza kod użytkownika na zamku.",
+ "code_slot_to_disable": "Slot kodu do wyłączenia.",
+ "disable_lock_user": "Wyłącz kod użytkownika",
+ "enable_lock_user_code_description": "Aktywuje kod użytkownika na zamku",
+ "code_slot_to_enable": "Slot kodu do włączenia.",
+ "enable_lock_user": "Włącz kod użytkownika",
+ "args_description": "Argumenty do przekazania do komendy.",
+ "args": "Argumenty",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "Adres IEEE urządzenia.",
+ "ieee": "IEEE",
+ "manufacturer": "Producent",
+ "params_description": "Parametry do przekazania do komendy.",
+ "params": "Parametry",
+ "issue_zigbee_cluster_command": "Wyślij komendę do klastra ZigBee",
+ "group_description": "Szesnastkowy adres grupy.",
+ "issue_zigbee_group_command": "Wyślij komendę do grupy ZigBee",
+ "permit_description": "Pozwala węzłom dołączyć do sieci ZigBee.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "Kod QR",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Ustawia kod użytkownika na zamku.",
+ "code_to_set": "Kod do ustawienia.",
+ "set_lock_user_code": "Ustaw kod użytkownika na zamku",
+ "attribute_description": "ID atrybutu do ustawienia.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
+ "dump_log_objects": "Dump log objects",
+ "log_current_tasks_description": "Logs all the current asyncio tasks.",
+ "log_current_asyncio_tasks": "Log current asyncio tasks",
+ "log_event_loop_scheduled": "Log event loop scheduled",
+ "log_thread_frames_description": "Logs the current frames for all threads.",
+ "log_thread_frames": "Log thread frames",
+ "lru_stats_description": "Logs the stats of all lru caches.",
+ "log_lru_stats": "Log LRU stats",
+ "starts_the_memory_profiler": "Starts the Memory Profiler.",
+ "seconds": "Seconds",
+ "memory": "Memory",
+ "set_asyncio_debug_description": "Enable or disable asyncio debug.",
+ "enabled_description": "Whether to enable or disable asyncio debug.",
+ "set_asyncio_debug": "Set asyncio debug",
+ "starts_the_profiler": "Starts the Profiler.",
+ "max_objects_description": "The maximum number of objects to log.",
+ "maximum_objects": "Maximum objects",
+ "scan_interval_description": "The number of seconds between logging objects.",
+ "scan_interval": "Scan interval",
+ "start_logging_object_sources": "Start logging object sources",
+ "start_log_objects_description": "Starts logging growth of objects in memory.",
+ "start_logging_objects": "Start logging objects",
+ "stop_logging_object_sources": "Stop logging object sources",
+ "stop_log_objects_description": "Stops logging growth of objects in memory.",
+ "stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Zmniejsz prędkość",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Zwiększ prędkość",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Ustaw kierunek",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Prędkość wentylatora.",
+ "percentage": "Procent",
+ "set_speed": "Ustaw prędkość",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Ustaw tryb predefiniowany",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Tworzy niestandardowy wpis w dzienniku.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Wpisz",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
+ "reload_themes_description": "Reloads themes from the YAML-configuration.",
+ "reload_themes": "Reload themes",
+ "name_of_a_theme": "Name of a theme.",
+ "set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
"check_configuration": "Check configuration",
"reload_all": "Reload all",
"reload_config_entry_description": "Reloads the specified config entry.",
@@ -3168,46 +3588,203 @@
"generic_toggle": "Generic toggle",
"generic_turn_off": "Generic turn off",
"generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
"entities_to_update": "Entities to update",
"update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Wartość parametru konfiguracyjnego.",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Ładuje adres URL w przeglądarce Fully Kiosk.",
+ "url_to_load": "Adres URL do załadowania.",
+ "load_url": "Załaduj adres URL",
+ "configuration_parameter_to_set": "Parametr konfiguracyjny do ustawienia.",
+ "key": "Klucz",
+ "set_configuration": "Ustaw konfigurację",
+ "application_description": "Nazwa pakietu aplikacji do uruchomienia.",
+ "application": "Aplikacja",
+ "start_application": "Uruchom aplikację",
+ "battery_description": "Poziom naładowania baterii urządzenia.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Uzyskaj prognozę pogody.",
+ "type_description": "Typ prognozy: dzienna, godzinowa lub dwunasto-godzinowa.",
+ "forecast_type": "Typ prognozy",
+ "get_forecast": "Uzyskaj prognozę",
+ "get_weather_forecasts": "Pobierz prognozy pogody.",
+ "get_forecasts": "Pobierz prognozy",
+ "press_the_button_entity": "Naciśnij przycisk.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Docelowy dzwonek",
+ "ringtone_to_play": "Dźwięk dzwonka do odtworzenia.",
+ "ringtone": "Dźwięk dzwonek",
+ "play_chime": "Odtwórz dzwonek",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "Prędkość ruchu PTZ.",
+ "ptz_move": "Sterowanie PTZ",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Nazwa pliku",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
+ "clear_tts_cache": "Clear TTS cache",
+ "cache": "Cache",
+ "language_description": "Language of text. Defaults to server language.",
+ "options_description": "A dictionary containing integration-specific options.",
+ "say_a_tts_message": "Say a TTS message",
+ "media_player_entity": "Media player entity",
+ "speak": "Speak",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Usuwa grupę.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Tworzy/aktualizuje grupę.",
+ "add_entities": "Dodaj encje",
+ "icon_description": "Nazwa ikony grupy.",
+ "name_of_the_group": "Nazwa grupy.",
+ "remove_entities": "Usuń encje",
+ "locks_a_lock": "Zaryglowuje zamek.",
+ "code_description": "Kod do uzbrojenia alarmu.",
+ "opens_a_lock": "Otwiera zamek.",
+ "unlocks_a_lock": "Odryglowuje zamek.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Uruchamia akcje automatyzacji.",
+ "skip_conditions": "Pomiń warunki",
+ "trigger": "Wyzwól",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Włącza automatyzację.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Zamyka roletę.",
+ "close_cover_tilt_description": "Pochyla roletę do zamknięcia.",
+ "close_tilt": "Zamknij pochylenie",
+ "opens_a_cover": "Otwiera roletę.",
+ "tilts_a_cover_open": "Pochyla roletę do otwarcia.",
+ "open_tilt": "Otwórz pochylenie",
+ "set_cover_position_description": "Ustawia pozycję rolety.",
+ "target_position": "Pozycja docelowa",
+ "set_position": "Ustaw pozycję",
+ "target_tilt_positition": "Docelowe pochylenie",
+ "set_tilt_position": "Ustaw pochylenie",
+ "stops_the_cover_movement": "Zatrzymuje ruch rolety.",
+ "stop_cover_tilt_description": "Zatrzymuje ruch pochylenia rolety.",
+ "stop_tilt": "Zatrzymaj pochylenie",
+ "toggles_a_cover_open_closed": "Przełącza pozycję rolety (otwiera/zamyka).",
+ "toggle_cover_tilt_description": "Przełącza pochylenie rolety (otwiera/zamyka).",
+ "toggle_tilt": "Przełącz pochylenie",
+ "turns_auxiliary_heater_on_off": "Włącza/wyłącza ogrzewanie dodatkowe.",
+ "aux_heat_description": "Nowa wartość ogrzewania dodatkowego.",
+ "auxiliary_heating": "Ogrzewanie dodatkowe",
+ "turn_on_off_auxiliary_heater": "Włącz/wyłącz ogrzewanie dodatkowe",
+ "sets_fan_operation_mode": "Ustawia tryb pracy wentylatora.",
+ "fan_operation_mode": "Tryb pracy wentylatora.",
+ "set_fan_mode": "Ustaw tryb wentylatora",
+ "sets_target_humidity": "Ustawia docelową wilgotność.",
+ "set_target_humidity": "Ustaw docelową wilgotność",
+ "sets_hvac_operation_mode": "Ustawia tryb pracy HVAC.",
+ "hvac_operation_mode": "Tryb pracy HVAC.",
+ "set_hvac_mode": "Ustaw tryb HVAC",
+ "sets_preset_mode": "Ustawia tryb predefiniowany.",
+ "set_swing_horizontal_mode_description": "Ustawia poziomy tryb pracy nawiewu.",
+ "horizontal_swing_operation_mode": "Poziomy tryb pracy nawiewu.",
+ "set_horizontal_swing_mode": "Ustaw poziomy tryb nawiewu",
+ "sets_swing_operation_mode": "Ustawia tryb pracy nawiewu.",
+ "swing_operation_mode": "Tryb pracy nawiewu.",
+ "set_swing_mode": "Ustaw tryb nawiewu",
+ "sets_the_temperature_setpoint": "Ustawia docelową temperaturę.",
+ "the_max_temperature_setpoint": "Górny zakres docelowej temperatury.",
+ "the_min_temperature_setpoint": "Dolny zakres docelowej temperatury.",
+ "the_temperature_setpoint": "Docelowa temperatura.",
+ "set_target_temperature": "Ustaw docelową temperaturę",
+ "turns_climate_device_off": "Wyłącza klimatyzację.",
+ "turns_climate_device_on": "Włącza klimatyzację.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domeny do usunięcia",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
"clear_playlist_description": "Removes all items from the playlist.",
"clear_playlist": "Clear playlist",
"selects_the_next_track": "Selects the next track.",
@@ -3218,14 +3795,12 @@
"seek": "Seek",
"stops_playing": "Stops playing.",
"starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
"enqueue": "Enqueue",
"repeat_mode_to_set": "Repeat mode to set.",
"select_sound_mode_description": "Selects a specific sound mode.",
"select_sound_mode": "Select sound mode",
"select_source": "Select source",
"shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Włącza lub wyłącza odkurzacz",
"unjoin": "Unjoin",
"turns_down_the_volume": "Turns down the volume.",
"turn_down_volume": "Turn down volume",
@@ -3233,93 +3808,9 @@
"is_volume_muted_description": "Defines whether or not it is muted.",
"mute_unmute_volume": "Mute/unmute volume",
"sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
"set_volume": "Set volume",
"turns_up_the_volume": "Turns up the volume.",
"turn_up_volume": "Turn up volume",
- "battery_description": "Poziom naładowania baterii urządzenia.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
- "a_human_readable_color_name": "Nazwa koloru przyjazna dla użytkownika.",
- "color_name": "Nazwa koloru",
- "color_temperature_in_mireds": "Temperatura barwowa w miredach.",
- "light_effect": "Efekt świetlny.",
- "hue_sat_color": "Odcień/Nasycenie koloru",
- "color_temperature_in_kelvin": "Temperatura barwowa w Kelwinach.",
- "profile_description": "Nazwa profilu światła do użycia.",
- "rgbw_color": "Kolor RGBW",
- "rgbww_color": "Kolor RGBWW",
- "white_description": "Ustaw światło w trybie białym.",
- "xy_color": "Kolor XY",
- "brightness_step_description": "Zmień jasność o określoną wartość.",
- "brightness_step_value": "Wartość kroku zmiany jasności",
- "brightness_step_pct_description": "Zmienia jasność o stopień procentowy.",
- "brightness_step": "Krok zmiany jasności",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domeny do usunięcia",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
- "dump_log_objects": "Dump log objects",
- "log_current_tasks_description": "Logs all the current asyncio tasks.",
- "log_current_asyncio_tasks": "Log current asyncio tasks",
- "log_event_loop_scheduled": "Log event loop scheduled",
- "log_thread_frames_description": "Logs the current frames for all threads.",
- "log_thread_frames": "Log thread frames",
- "lru_stats_description": "Logs the stats of all lru caches.",
- "log_lru_stats": "Log LRU stats",
- "starts_the_memory_profiler": "Starts the Memory Profiler.",
- "seconds": "Seconds",
- "memory": "Memory",
- "set_asyncio_debug_description": "Enable or disable asyncio debug.",
- "enabled_description": "Whether to enable or disable asyncio debug.",
- "set_asyncio_debug": "Set asyncio debug",
- "starts_the_profiler": "Starts the Profiler.",
- "max_objects_description": "The maximum number of objects to log.",
- "maximum_objects": "Maximum objects",
- "scan_interval_description": "The number of seconds between logging objects.",
- "scan_interval": "Scan interval",
- "start_logging_object_sources": "Start logging object sources",
- "start_log_objects_description": "Starts logging growth of objects in memory.",
- "start_logging_objects": "Start logging objects",
- "stop_logging_object_sources": "Stop logging object sources",
- "stop_log_objects_description": "Stops logging growth of objects in memory.",
- "stop_logging_objects": "Stop logging objects",
- "reload_themes_description": "Reloads themes from the YAML-configuration.",
- "reload_themes": "Reload themes",
- "name_of_a_theme": "Name of a theme.",
- "set_the_default_theme": "Set the default theme",
- "clear_tts_cache": "Clear TTS cache",
- "cache": "Cache",
- "language_description": "Language of text. Defaults to server language.",
- "options_description": "A dictionary containing integration-specific options.",
- "say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
- "media_player_entity": "Media player entity",
- "speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Wstrzymuje zadanie koszenia trawy.",
- "starts_the_mowing_task": "Rozpoczyna zadanie koszenia trawy.",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3358,40 +3849,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Przywraca Home Assistanta",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Zmniejsz prędkość",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Zwiększ prędkość",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Ustaw kierunek",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Prędkość wentylatora.",
- "percentage": "Procent",
- "set_speed": "Ustaw prędkość",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Uzyskaj prognozę pogody.",
- "type_description": "Typ prognozy: dzienna, godzinowa lub dwunasto-godzinowa.",
- "forecast_type": "Typ prognozy",
- "get_forecast": "Uzyskaj prognozę",
- "get_weather_forecasts": "Pobierz prognozy pogody.",
- "get_forecasts": "Pobierz prognozy",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Uzbrojenie z niestandardowym obejściem",
- "alarm_arm_vacation_description": "Ustawia alarm na: _uzbrojony na czas wakacji_.",
- "disarms_the_alarm": "Rozbraja alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3399,77 +3856,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Nazwa pliku",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Włącza automatyzację.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Zamyka zawór.",
+ "opens_a_valve": "Otwiera zawór.",
+ "set_valve_position_description": "Ustawia zawór do określonej pozycji.",
+ "stops_the_valve_movement": "Zatrzymuje ruch zaworu.",
+ "toggles_a_valve_open_closed": "Przełącza zawór do stanu otwartego/zamkniętego.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3477,83 +3873,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Ścieżka wyjściowa",
- "trigger_a_node_red_flow": "Wyzwól przepływ Node-RED",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Docelowy dzwonek",
- "ringtone_to_play": "Dźwięk dzwonka do odtworzenia.",
- "ringtone": "Dźwięk dzwonek",
- "play_chime": "Odtwórz dzwonek",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "Prędkość ruchu PTZ.",
- "ptz_move": "Sterowanie PTZ",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Ładuje adres URL w przeglądarce Fully Kiosk.",
- "url_to_load": "Adres URL do załadowania.",
- "load_url": "Załaduj adres URL",
- "configuration_parameter_to_set": "Parametr konfiguracyjny do ustawienia.",
- "key": "Klucz",
- "set_configuration": "Ustaw konfigurację",
- "application_description": "Nazwa pakietu aplikacji do uruchomienia.",
- "application": "Aplikacja",
- "start_application": "Uruchom aplikację"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Uzbrojenie z niestandardowym obejściem",
+ "alarm_arm_vacation_description": "Ustawia alarm na: _uzbrojony na czas wakacji_.",
+ "disarms_the_alarm": "Rozbraja alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/pt-BR/pt-BR.json b/packages/core/src/hooks/useLocale/locales/pt-BR/pt-BR.json
index b704ed6c..4df90fb8 100644
--- a/packages/core/src/hooks/useLocale/locales/pt-BR/pt-BR.json
+++ b/packages/core/src/hooks/useLocale/locales/pt-BR/pt-BR.json
@@ -53,7 +53,7 @@
"area_not_found": "Área não encontrada.",
"last_triggered": "Último acionado",
"run": "Executar",
- "press": "Pressionar",
+ "press": "Pressione",
"image_not_available": "Imagem indisponível",
"now": "Agora",
"on_off": "Ligado/Desligado",
@@ -72,14 +72,14 @@
"increment": "Acréscimo",
"decrement": "Decréscimo",
"reset": "Redefinir",
- "position": "Posição",
+ "position": "Position",
"tilt_position": "Posição de inclinação",
"open_cover": "Abrir cobertura",
"close_cover": "Fechar cobertura",
"open_cover_tilt": "Abrir inclinação da cortina",
"close_cover_tilt": "Fechar inclinação da cortina",
"stop_cover": "Parar a cortina",
- "preset_mode": "Modo predefinido",
+ "preset_mode": "Preset mode",
"oscillate": "Oscilar",
"direction": "Direção",
"forward": "Encaminhar",
@@ -134,7 +134,7 @@
"cancel": "Cancelar",
"cancel_number": "Cancelar {number}",
"cancel_all": "Cancelar tudo",
- "idle": "Idle",
+ "idle": "Ocioso",
"run_script": "Executar script",
"option": "Opção",
"installing": "Instalando",
@@ -217,9 +217,9 @@
"required": "Obrigatório",
"copied": "Copiado",
"copied_to_clipboard": "Copiado para a àrea de transferência",
- "name": "Nome",
+ "name": "Name",
"optional": "Opcional",
- "default": "Default",
+ "default": "Padrão",
"select_media_player": "Selecione o reprodutor de mídia",
"media_browse_not_supported": "O player de mídia não suporta a pesquisa de mídia.",
"pick_media": "Escolher mídia",
@@ -244,7 +244,7 @@
"condition": "Condição",
"date": "Data",
"date_and_time": "Data e hora",
- "duration": "Duração",
+ "duration": "Duration",
"entity": "Entidade",
"floor": "Piso",
"icon": "Ícone",
@@ -348,7 +348,7 @@
"conversation_agent": "Agente de conversação",
"none": "Nenhum",
"country": "País",
- "assistant": "Canal de assistência",
+ "assistant": "Assistant",
"preferred_assistant_preferred": "Assistente preferencial ({preferred})",
"last_used_assistant": "Último assistente usado",
"no_theme": "Sem tema",
@@ -390,6 +390,7 @@
"no_matching_areas_found": "Não foram encontradas áreas com esta configuração",
"unassigned_areas": "Áreas não atribuídas",
"failed_to_create_area": "Falha ao criar a área.",
+ "ui_components_area_picker_add_dialog_name": "Nome",
"ui_components_area_picker_add_dialog_text": "Digite o nome da nova área.",
"ui_components_area_picker_add_dialog_title": "Adicionar nova área",
"show_floors": "Mostrar pisos",
@@ -465,8 +466,8 @@
"black": "Preto",
"white": "White",
"ui_components_color_picker_default_color": "Cor padrão (estado)",
- "start_date": "Start date",
- "end_date": "End date",
+ "start_date": "Data de início",
+ "end_date": "Data de término",
"select_time_period": "Selecione o período de tempo",
"today": "Hoje",
"yesterday": "Ontem",
@@ -569,7 +570,7 @@
"url": "URL",
"video": "Vídeo",
"media_browser_media_player_unavailable": "O player de mídia selecionado não está disponível.",
- "auto": "Auto",
+ "auto": "Automático",
"grid": "Grade",
"list": "Lista",
"task_name": "Nome da tarefa",
@@ -626,7 +627,7 @@
"weekday": "dia da semana",
"until": "até",
"for": "para",
- "in": "In",
+ "in": "Em",
"on_the": "no",
"or": "Ou",
"at": "em",
@@ -646,6 +647,7 @@
"last_updated": "Última atualização",
"remaining_time": "Tempo restante",
"install_status": "Status da instalação",
+ "ui_components_multi_textfield_add_item": "Adicionar {item}",
"safe_mode": "Safe mode",
"all_yaml_configuration": "Todas as configurações YAML",
"domain": "Domínio",
@@ -751,6 +753,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Criar backup antes de atualizar",
"update_instructions": "Atualizar Instruções",
"current_activity": "Atividade atual",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Comandos do aspirador de pó:",
"fan_speed": "Velocidade do ventilador",
"clean_spot": "Limpar local",
@@ -806,7 +809,7 @@
"cold": "Congelamento",
"connectivity": "Conectividade",
"gas": "Gás",
- "heat": "Aquecimento",
+ "heat": "Calor",
"light": "Luz",
"motion": "Movimento",
"moving": "Movendo",
@@ -868,7 +871,7 @@
"restart_home_assistant": "Reiniciar o Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Recarregamento rápido",
- "reload_description": "Recarrega todos os scripts disponíveis.",
+ "reload_description": "Recarrega os cronômetros da configuração YAML.",
"reloading_configuration": "Recarregando configurações",
"failed_to_reload_configuration": "Falha ao recarregar a configuração",
"restart_description": "Interrompe todas as automações e scripts em execução.",
@@ -896,8 +899,8 @@
"password": "Password",
"regex_pattern": "Padrão regex",
"used_for_client_side_validation": "Usado para validação do cliente",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Campo de entrada",
"slider": "Controle deslizante",
"step_size": "Valor do incremento",
@@ -943,7 +946,7 @@
"ui_dialogs_zha_device_info_confirmations_remove": "Tem a certeza que quer remover o dispositivo?",
"quirk": "Quirk",
"last_seen": "Visto pela Última Vez",
- "power_source": "Fonte de Energia",
+ "power_source": "Power source",
"change_device_name": "Alterar o nome do dispositivo",
"device_debug_info": "Informação de depuração de {device}",
"mqtt_device_debug_info_deserialize": "Tentativa de analisar mensagens MQTT como JSON",
@@ -1218,7 +1221,7 @@
"ui_panel_lovelace_editor_edit_view_type_warning_sections": "Você não pode alterar sua visualização para usar o tipo de visualização por 'seções' porque a migração ainda não é suportada. Comece do zero com uma nova visualização se quiser experimentar a visualização por 'seções'.",
"card_configuration": "Configuração do Cartão",
"type_card_configuration": "Configuração do cartão {type}",
- "edit_card_pick_card": "Qual cartão você gostaria de adicionar?",
+ "edit_card_pick_card": "Adicionar ao painel",
"toggle_editor": "Alternar editor",
"you_have_unsaved_changes": "Você tem alterações não salvas",
"edit_card_confirm_cancel": "Tem certeza de que deseja cancelar?",
@@ -1424,6 +1427,11 @@
"graph_type": "Tipo de Gráfico",
"to_do_list": "Lista de tarefas",
"hide_completed_items": "Ocultar itens concluídos",
+ "ui_panel_lovelace_editor_card_todo_list_display_order": "Ordem de exibição",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc": "Alfabético (A-Z)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_desc": "Alfabético (Z-A)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc": "Data de vencimento (primeiro o mais breve)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc": "Data de vencimento (mais recente primeiro)",
"thermostat": "Termostato",
"thermostat_show_current_as_primary": "Mostrar a temperatura atual como informação primária",
"tile": "Bloco",
@@ -1533,140 +1541,119 @@
"invalid_display_format": "Formato de exibição inválido",
"compare_data": "Comparar dados",
"reload_ui": "Recarregar Interface",
- "tag": "Tag",
- "input_datetime": "Entrada de data e hora",
- "solis_inverter": "Solis Inverter",
- "scene": "Cena",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Cronômetro",
- "local_calendar": "Calendário local",
- "intent": "Intent",
- "device_tracker": "Rastreador de dispositivo",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Entrada booleana",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "tag": "Tag",
+ "media_source": "Media Source",
+ "mobile_app": "Aplicativo mobile",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnósticos",
+ "filesize": "Tamanho do arquivo",
+ "group": "Grupo",
+ "binary_sensor": "Sensor binário",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Entrada de seleção",
+ "device_automation": "Device Automation",
+ "person": "Pessoa",
+ "input_button": "Botão de entrada",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Registrador",
+ "script": "Script",
"fan": "Ventilador",
- "weather": "Clima",
- "camera": "Câmera",
+ "scene": "Cena",
"schedule": "Horário",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automação",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Clima",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversação",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Entrada de texto",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "binary_sensor": "Sensor binário",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automação",
+ "system_log": "System Log",
+ "cover": "Cobertura",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cobertura",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Calendário local",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Sirene",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Evento",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Rastreador de dispositivo",
+ "remote": "Remoto",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Aspirador",
+ "reolink": "Reolink",
+ "camera": "Câmera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remoto",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Contador",
- "filesize": "Tamanho do arquivo",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Verificador de fonte de alimentação Raspberry Pi",
+ "conversation": "Conversação",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Entrada booleana",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Evento",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Painel de controle do alarme",
- "input_select": "Entrada de seleção",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Aplicativo mobile",
+ "timer": "Cronômetro",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Entrada de data e hora",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Contador",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Credenciais do aplicativo",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Grupo",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnósticos",
- "person": "Pessoa",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Entrada de texto",
"localtuya": "LocalTuya",
- "blueprint": "Blueprint",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Credenciais do aplicativo",
- "siren": "Sirene",
- "bluetooth": "Bluetooth",
- "logger": "Registrador",
- "input_button": "Botão de entrada",
- "vacuum": "Aspirador",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Verificador de fonte de alimentação Raspberry Pi",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1695,6 +1682,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Consumo total",
@@ -1702,7 +1690,7 @@
"current_consumption": "Consumo atual",
"current_firmware_version": "Current firmware version",
"device_time": "Device time",
- "on_since": "On since",
+ "on_since": "Ligado desde",
"report_interval": "Report interval",
"signal_strength": "Força do sinal",
"signal_level": "Signal level",
@@ -1712,7 +1700,7 @@
"auto_off_enabled": "Auto off enabled",
"auto_update_enabled": "Auto update enabled",
"baby_cry_detection": "Baby cry detection",
- "child_lock": "Bloqueio para crianças",
+ "child_lock": "Child lock",
"fan_sleep_mode": "Fan sleep mode",
"led": "LED",
"motion_detection": "Detecção de movimento",
@@ -1720,31 +1708,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Próximo amanhecer",
- "next_dusk": "Próximo anoitecer",
- "next_midnight": "Próxima meia-noite solar",
- "next_noon": "Próximo meio-dia solar",
- "next_rising": "Próximo nascer do sol",
- "next_setting": "Próximo por do sol",
- "solar_azimuth": "Azimute solar",
- "solar_elevation": "Elevação solar",
- "solar_rising": "Nascer do sol",
- "day_of_week": "Day of week",
- "illuminance": "Iluminância",
- "noise": "Ruído",
- "overload": "Sobrecarga",
- "working_location": "Working location",
- "created": "Created",
- "size": "Tamanho",
- "size_in_bytes": "Tamanho em bytes",
- "compressor_energy_consumption": "Consumo de energia do compressor",
- "compressor_estimated_power_consumption": "Consumo de energia estimado do compressor",
- "compressor_frequency": "Frequência do compressor",
- "cool_energy_consumption": "Consumo de energia fria",
- "energy_consumption": "Consumo de energia",
- "heat_energy_consumption": "Consumo de energia térmica",
- "inside_temperature": "Temperatura interna",
- "outside_temperature": "Temperatura exterior",
+ "calibration": "Calibração",
+ "auto_lock_paused": "Bloqueio automático pausado",
+ "timeout": "Tempo esgotado",
+ "unclosed_alarm": "Alarme não fechado",
+ "unlocked_alarm": "Alarme desbloqueado",
+ "bluetooth_signal": "Sinal Bluetooth",
+ "light_level": "Nível de luz",
+ "wi_fi_signal": "Sinal de Wi-Fi",
+ "momentary": "Momentâneo",
+ "pull_retract": "Puxar/Retrair",
"process_process": "Processo {process}",
"disk_free_mount_point": "Disco livre {mount_point}",
"disk_use_mount_point": "Uso do disco {mount_point}",
@@ -1763,34 +1736,76 @@
"swap_use": "Uso de swap",
"network_throughput_in_interface": "Taxa de transferência de rede recebidos {interface}",
"network_throughput_out_interface": "Taxa de transferência de rede enviados {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist está trabalhando",
- "preferred": "Preferido",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "Versão do OS Agent",
- "apparmor_version": "Versão do Apparmor",
- "cpu_percent": "Porcentagem de CPU",
- "disk_free": "Total livre do disco",
- "disk_total": "Total do disco",
- "disk_used": "Disco usado",
- "memory_percent": "Porcentagem de memória",
- "version": "Versão",
- "newest_version": "Versão mais recente",
+ "day_of_week": "Day of week",
+ "illuminance": "Iluminância",
+ "noise": "Ruído",
+ "overload": "Sobrecarga",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Sincronizar dispositivos",
- "estimated_distance": "Distância estimada",
- "vendor": "Fornecedor",
- "quiet": "Silencioso",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
- "mic_volume": "Volume do microfone",
- "noise_suppression_level": "Noise suppression level",
- "off": "Desligado",
- "mute": "Mute",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Volume da campainha",
+ "mic_volume": "Mic volume",
+ "voice_volume": "Voice volume",
+ "last_activity": "Última atividade",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Força do sinal Wi-Fi",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Consumo de energia do compressor",
+ "compressor_estimated_power_consumption": "Consumo de energia estimado do compressor",
+ "compressor_frequency": "Frequência do compressor",
+ "cool_energy_consumption": "Consumo de energia fria",
+ "energy_consumption": "Consumo de energia",
+ "heat_energy_consumption": "Consumo de energia térmica",
+ "inside_temperature": "Temperatura interna",
+ "outside_temperature": "Temperatura exterior",
+ "device_admin": "Administrador do dispositivo",
+ "kiosk_mode": "Modo Kiosk",
+ "connected": "Conectado",
+ "load_start_url": "Carregar URL inicial",
+ "restart_browser": "Reiniciar o navegador",
+ "restart_device": "Restart device",
+ "send_to_background": "Enviar para o plano de fundo",
+ "bring_to_foreground": "Trazer para o primeiro plano",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Brilho da tela",
+ "screen_off_timer": "Temporizador de tela desligada",
+ "screensaver_brightness": "Brilho do protetor de tela",
+ "screensaver_timer": "Temporizador do protetor de tela",
+ "current_page": "Pagina atual",
+ "foreground_app": "Aplicativo em primeiro plano",
+ "internal_storage_free_space": "Espaço livre de armazenamento interno",
+ "internal_storage_total_space": "Espaço total de armazenamento interno",
+ "free_memory": "Memoria livre",
+ "total_memory": "Memória total",
+ "screen_orientation": "Orientação da tela",
+ "kiosk_lock": "Bloqueio do Kiosk",
+ "maintenance_mode": "Modo de manutenção",
+ "screensaver": "Protetor de tela",
"animal": "Animal",
"detected": "Detectado",
"animal_lens": "Animal lens 1",
@@ -1864,6 +1879,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Desligado",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital primeiro",
@@ -1878,21 +1894,21 @@
"floodlight_mode": "Floodlight mode",
"adaptive": "Adaptive",
"auto_adaptive": "Auto adaptive",
- "on_at_night": "On at night",
+ "on_at_night": "Ligado à noite",
"hdr": "HDR",
"hub_alarm_ringtone": "Hub alarm ringtone",
- "alarm": "Alarm",
- "attraction": "Attraction",
- "city_bird": "City bird",
- "good_day": "Good day",
- "hop_hop": "Hop hop",
- "loop": "Loop",
- "moonlight": "Moonlight",
- "operetta": "Operetta",
- "original_tune": "Original tune",
- "piano_key": "Piano key",
- "way_back_home": "Way back home",
- "hub_visitor_ringtone": "Hub visitor ringtone",
+ "alarm": "Alarme",
+ "attraction": "Atração",
+ "city_bird": "Pássaro da cidade",
+ "good_day": "Bom dia",
+ "hop_hop": "Pula-pula",
+ "loop": "Repetição",
+ "moonlight": "Luar",
+ "operetta": "Opereta",
+ "original_tune": "Melodia original",
+ "piano_key": "Tecla de piano",
+ "way_back_home": "De volta para casa",
+ "hub_visitor_ringtone": "Toque de visitante",
"clear_bit_rate": "Clear bit rate",
"clear_frame_rate": "Clear frame rate",
"motion_ringtone": "Motion ringtone",
@@ -1914,7 +1930,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "Posição de inclinação PTZ",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Sinal Wi-Fi",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1931,6 +1946,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Tamanho",
+ "size_in_bytes": "Tamanho em bytes",
+ "assist_in_progress": "Assist está trabalhando",
+ "quiet": "Silencioso",
+ "preferred": "Preferido",
+ "finished_speaking_detection": "Detecção de fala concluída",
+ "aggressive": "Agressivo",
+ "relaxed": "Relaxado",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "Versão do OS Agent",
+ "apparmor_version": "Versão do Apparmor",
+ "cpu_percent": "Porcentagem de CPU",
+ "disk_free": "Total livre do disco",
+ "disk_total": "Total do disco",
+ "disk_used": "Disco usado",
+ "memory_percent": "Porcentagem de memória",
+ "version": "Versão",
+ "newest_version": "Versão mais recente",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes recebidos",
+ "server_country": "País do servidor",
+ "server_id": "ID do servidor",
+ "server_name": "Nome do servidor",
+ "ping": "Ping",
+ "upload": "Carregar",
+ "bytes_sent": "Bytes enviados",
+ "working_location": "Working location",
+ "next_dawn": "Próximo amanhecer",
+ "next_dusk": "Próximo anoitecer",
+ "next_midnight": "Próxima meia-noite solar",
+ "next_noon": "Próximo meio-dia solar",
+ "next_rising": "Próximo nascer do sol",
+ "next_setting": "Próximo por do sol",
+ "solar_azimuth": "Azimute solar",
+ "solar_elevation": "Elevação solar",
+ "solar_rising": "Nascer do sol",
"heavy": "Pesado",
"mild": "Leve",
"button_down": "Button down",
@@ -1943,79 +2001,261 @@
"triple_push": "Triple push",
"fault": "Falha",
"normal": "Normal",
+ "warm_up": "Aquecimento",
"not_completed": "Não completo",
"pending": "Pendente",
"checking": "Checking",
- "closing": "Fechando",
+ "closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Volume da campainha",
- "voice_volume": "Voice volume",
- "last_activity": "Última atividade",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Força do sinal Wi-Fi",
- "in_home_chime": "In-home chime",
- "calibration": "Calibração",
- "auto_lock_paused": "Bloqueio automático pausado",
- "timeout": "Tempo esgotado",
- "unclosed_alarm": "Alarme não fechado",
- "unlocked_alarm": "Alarme desbloqueado",
- "bluetooth_signal": "Sinal Bluetooth",
- "light_level": "Nível de luz",
- "momentary": "Momentâneo",
- "pull_retract": "Puxar/Retrair",
- "bytes_received": "Bytes recebidos",
- "server_country": "País do servidor",
- "server_id": "ID do servidor",
- "server_name": "Nome do servidor",
- "ping": "Ping",
- "upload": "Carregar",
- "bytes_sent": "Bytes enviados",
- "device_admin": "Administrador do dispositivo",
- "kiosk_mode": "Modo Kiosk",
- "connected": "Conectado",
- "load_start_url": "Carregar URL inicial",
- "restart_browser": "Reiniciar o navegador",
- "restart_device": "Reiniciar o dispositivo",
- "send_to_background": "Enviar para o plano de fundo",
- "bring_to_foreground": "Trazer para o primeiro plano",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Brilho da tela",
- "screen_off_timer": "Temporizador de tela desligada",
- "screensaver_brightness": "Brilho do protetor de tela",
- "screensaver_timer": "Temporizador do protetor de tela",
- "current_page": "Pagina atual",
- "foreground_app": "Aplicativo em primeiro plano",
- "internal_storage_free_space": "Espaço livre de armazenamento interno",
- "internal_storage_total_space": "Espaço total de armazenamento interno",
- "free_memory": "Memoria livre",
- "total_memory": "Memória total",
- "screen_orientation": "Orientação da tela",
- "kiosk_lock": "Bloqueio do Kiosk",
- "maintenance_mode": "Modo de manutenção",
- "screensaver": "Protetor de tela",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Gerenciado via IU",
- "pattern": "Padrão",
- "minute": "Minuto",
- "second": "Segundo",
- "timestamp": "Timestamp",
- "stopped": "Parado",
+ "estimated_distance": "Distância estimada",
+ "vendor": "Fornecedor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Grupo de ventiladores",
+ "light_group": "Grupo de lâmpadas",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Atraso de detecção",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Tempo de desvanecimento",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Tempo de início rápido",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Níveis de exibição de led do ventilador inteligente",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "Em andamento",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Resultado do autoteste",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Modo de ventilador inteligente",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Tons disponíveis",
"device_trackers": "Rastreadores de dispositivos",
"gps_accuracy": "Precisão do GPS",
- "paused": "Pausado",
- "remaining": "Restante",
- "restore": "Restaurar",
"last_reset": "Última redefinição",
"possible_states": "Estados possíveis",
- "state_class": "Classe do estado",
+ "state_class": "Classe de estado",
"measurement": "Medição",
"total": "Total",
"total_increasing": "Total Acumulado",
@@ -2045,78 +2285,12 @@
"sound_pressure": "Pressão sonora",
"speed": "Velocidade",
"sulphur_dioxide": "Dióxido de enxofre",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Volume armazenado",
"weight": "Peso",
- "cool": "Frio",
- "fan_only": "Apenas ventilar",
- "heat_cool": "Calor/frio",
- "aux_heat": "Aquecimento auxiliar",
- "current_humidity": "Umidade atual",
- "current_temperature": "Temperatura atual",
- "fan_mode": "Modo ventilador",
- "diffuse": "Difuso",
- "middle": "Meio",
- "top": "Principal",
- "current_action": "Ação atual",
- "cooling": "Resfriamento",
- "defrosting": "Defrosting",
- "drying": "Secagem",
- "preheating": "Pré-aquecimento",
- "max_target_humidity": "Umidade alvo máxima",
- "max_target_temperature": "Temperatura alvo máxima",
- "min_target_humidity": "Umidade alvo mínima",
- "min_target_temperature": "Temperatura alvo mínima",
- "boost": "Turbo",
- "comfort": "Conforto",
- "eco": "Eco",
- "sleep": "Sono",
- "presets": "Predefinições",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Ambos",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Etapa de temperatura alvo",
- "step": "Etapa",
- "not_charging": "Não está carregando",
- "unplugged": "Desconectado",
- "hot": "Quente",
- "no_light": "Sem luz",
- "light_detected": "Luz detectada",
- "locked": "Trancado",
- "unlocked": "Destrancado",
- "safe": "Seguro",
- "unsafe": "Inseguro",
- "tampering_detected": "Detecção de violação",
- "automatic": "Automático",
- "box": "Caixa",
- "above_horizon": "Acima do horizonte",
- "below_horizon": "Abaixo do horizonte",
- "playing": "Reproduzindo",
- "standby": "Em espera",
- "app_id": "ID do aplicativo",
- "local_accessible_entity_picture": "Imagem da entidade acessível localmente",
- "group_members": "Membros do grupo",
- "muted": "Silenciado",
- "album_artist": "Álbum do artista",
- "content_id": "ID do conteúdo",
- "content_type": "Tipo de conteúdo",
- "channels": "Canais",
- "position_updated": "Posição atualizada",
- "series": "Série",
- "all": "Todos",
- "one": "Um",
- "available_sound_modes": "Modos de som disponíveis",
- "available_sources": "Fontes disponíveis",
- "receiver": "Receptor",
- "speaker": "Alto-falante",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Roteador",
+ "managed_via_ui": "Gerenciado via IU",
"color_mode": "Modo de cor",
"brightness_only": "Apenas brilho",
"hs": "HS",
@@ -2132,13 +2306,33 @@
"minimum_color_temperature_kelvin": "Temperatura de cor mínima (Kelvin)",
"minimum_color_temperature_mireds": "Temperatura de cor mínima (mireds)",
"available_color_modes": "Modos de cores disponíveis",
- "available_tones": "Tons disponíveis",
"docked": "Na base",
"mowing": "Corte de grama",
+ "paused": "Pausado",
"returning": "Returning",
+ "running_automations": "Executando automações",
+ "max_running_scripts": "Máximo de scripts em execução",
+ "run_mode": "Modo de execução",
+ "parallel": "Paralelo",
+ "queued": "Enfileirado",
+ "single": "Único",
+ "auto_update": "Atualização automática",
+ "installed_version": "Versão instalada",
+ "latest_version": "Última versão",
+ "release_summary": "Resumo da versão",
+ "release_url": "URL da versão",
+ "skipped_version": "Versão ignorada",
+ "firmware": "Firmware",
"oscillating": "Oscilante",
"speed_step": "Passo de velocidade",
"available_preset_modes": "Modos predefinidos disponíveis",
+ "minute": "Minuto",
+ "second": "Segundo",
+ "next_event": "Próximo evento",
+ "step": "Etapa",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Roteador",
"clear_night": "Noite clara",
"cloudy": "Nublado",
"exceptional": "Excepcional",
@@ -2161,26 +2355,9 @@
"uv_index": "Índice UV",
"wind_bearing": "Direção do vento",
"wind_gust_speed": "Velocidade da rajada de vento",
- "auto_update": "Atualização automática",
- "in_progress": "Em andamento",
- "installed_version": "Versão instalada",
- "latest_version": "Última versão",
- "release_summary": "Resumo da versão",
- "release_url": "URL da versão",
- "skipped_version": "Versão ignorada",
- "firmware": "Firmware",
- "armed_away": "Armado ausente",
- "armed_custom_bypass": "Bypass armado personalizado",
- "armed_home": "Armado em casa",
- "armed_night": "Armado noturno",
- "armed_vacation": "Armado férias",
- "disarming": "Desarmando",
- "triggered": "Acionado",
- "changed_by": "Alterado por",
- "code_for_arming": "Código para armar",
- "not_required": "Não obrigatório",
- "code_format": "Code format",
"identify": "Identificar",
+ "cleaning": "Limpando",
+ "returning_to_dock": "Retornando para base",
"recording": "Gravando",
"streaming": "Transmitindo",
"access_token": "Token de acesso",
@@ -2189,95 +2366,138 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Modelo",
- "end_time": "End time",
- "start_time": "Start time",
- "next_event": "Próximo evento",
- "garage": "Garagem",
- "event_type": "Tipo de evento",
- "event_types": "Tipos de eventos",
- "doorbell": "Campainha",
- "running_automations": "Executando automações",
- "id": "ID",
- "max_running_automations": "Automações de execução máxima",
- "run_mode": "Modo de execução",
- "parallel": "Paralelo",
- "queued": "Enfileirado",
- "single": "Único",
- "cleaning": "Limpando",
- "returning_to_dock": "Retornando para base",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Máximo de scripts em execução",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "box": "Caixa",
"jammed": "Atolado",
+ "locked": "Trancado",
"locking": "Bloqueio",
+ "unlocked": "Destrancado",
"unlocking": "Desbloqueio",
+ "changed_by": "Alterado por",
+ "code_format": "Code format",
"members": "Membros",
- "known_hosts": "Hosts conhecidos",
- "google_cast_configuration": "Configuração do Google Cast",
- "confirm_description": "Deseja configurar {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "A conta já foi configurada",
- "abort_already_in_progress": "O fluxo de configuração já está em andamento",
- "failed_to_connect": "Falha ao conectar",
- "invalid_access_token": "Token de acesso inválido",
- "invalid_authentication": "Autenticação inválida",
- "received_invalid_token_data": "Dados de token recebidos inválidos.",
- "abort_oauth_failed": "Erro ao obter token de acesso.",
- "timeout_resolving_oauth_token": "Tempo limite resolvendo o token OAuth.",
- "abort_oauth_unauthorized": "Erro de autorização OAuth ao obter o token de acesso.",
- "re_authentication_was_successful": "A reautenticação foi bem-sucedida",
- "unexpected_error": "Erro inesperado",
- "successfully_authenticated": "Autenticado com sucesso",
- "link_fitbit": "Vínculo Fitbit",
- "pick_authentication_method": "Escolha o método de autenticação",
- "authentication_expired_for_name": "A autenticação expirada para {name}",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Automações de execução máxima",
+ "cool": "Frio",
+ "fan_only": "Apenas ventilar",
+ "heat_cool": "Calor/frio",
+ "aux_heat": "Aquecimento auxiliar",
+ "current_humidity": "Umidade atual",
+ "current_temperature": "Temperatura atual",
+ "fan_mode": "Modo ventilador",
+ "diffuse": "Difuso",
+ "middle": "Meio",
+ "top": "Principal",
+ "current_action": "Ação atual",
+ "cooling": "Resfriamento",
+ "defrosting": "Defrosting",
+ "drying": "Secagem",
+ "preheating": "Pré-aquecimento",
+ "max_target_humidity": "Umidade alvo máxima",
+ "max_target_temperature": "Temperatura alvo máxima",
+ "min_target_humidity": "Umidade alvo mínima",
+ "min_target_temperature": "Temperatura alvo mínima",
+ "boost": "Turbo",
+ "comfort": "Conforto",
+ "eco": "Eco",
+ "sleep": "Sono",
+ "presets": "Predefinições",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Ambos",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Etapa de temperatura alvo",
+ "stopped": "Stopped",
+ "garage": "Garagem",
+ "not_charging": "Não está carregando",
+ "unplugged": "Desconectado",
+ "hot": "Quente",
+ "no_light": "Sem luz",
+ "light_detected": "Luz detectada",
+ "not_moving": "Parado",
+ "safe": "Seguro",
+ "unsafe": "Inseguro",
+ "tampering_detected": "Detecção de violação",
+ "playing": "Reproduzindo",
+ "standby": "Em espera",
+ "app_id": "ID do aplicativo",
+ "local_accessible_entity_picture": "Imagem da entidade acessível localmente",
+ "group_members": "Membros do grupo",
+ "muted": "Silenciado",
+ "album_artist": "Álbum do artista",
+ "content_id": "ID do conteúdo",
+ "content_type": "Tipo de conteúdo",
+ "channels": "Canais",
+ "position_updated": "Posição atualizada",
+ "series": "Série",
+ "all": "Todos",
+ "one": "Um",
+ "available_sound_modes": "Modos de som disponíveis",
+ "available_sources": "Fontes disponíveis",
+ "receiver": "Receptor",
+ "speaker": "Alto-falante",
+ "tv": "TV",
+ "end_time": "Hora de término.",
+ "start_time": "Hora de início",
+ "event_type": "Tipo de evento",
+ "event_types": "Tipos de eventos",
+ "doorbell": "Campainha",
+ "above_horizon": "Acima do horizonte",
+ "below_horizon": "Abaixo do horizonte",
+ "armed_away": "Armado ausente",
+ "armed_custom_bypass": "Bypass armado personalizado",
+ "armed_home": "Armado em casa",
+ "armed_night": "Armado noturno",
+ "armed_vacation": "Armado férias",
+ "disarming": "Desarmando",
+ "triggered": "Acionado",
+ "code_for_arming": "Código para armar",
+ "not_required": "Não obrigatório",
+ "remaining": "Restante",
+ "restore": "Restaurar",
"device_is_already_configured": "Dispositivo já está configurado",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "Nenhum dispositivo encontrado na rede",
+ "re_authentication_was_successful": "A reautenticação foi bem-sucedida",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Erro de conexão: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
"camera_stream_authentication_failed": "Camera stream authentication failed",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "Enable camera live view",
+ "username": "Nome de usuário",
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "A autenticação expirada para {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
- "abort_single_instance_allowed": "Já configurado. Apenas uma configuração é possível.",
- "abort_already_configured": "O dispositivo já foi configurado.",
- "abort_device_updated": "A configuração do dispositivo foi atualizada!",
- "failed_to_authenticate_msg": "Falha ao autenticar.\n{msg}",
- "error_device_list_failed": "Falha ao recuperar a lista de dispositivos.\n{msg}",
- "cloud_api_account_configuration": "Configuração da conta da API da Cloud",
- "user_description": "Deseja iniciar a configuração?",
- "api_server_region": "Região do servidor de API",
- "client_id": "ID do Cliente",
- "secret": "Secret",
- "user_id": "ID do usuário",
- "data_no_cloud": "Não configure a conta da API da Cloud",
+ "abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Tipo de Switchbot sem suporte.",
+ "unexpected_error": "Erro inesperado",
+ "authentication_failed_error_detail": "Falha na autenticação: {error_detail}",
+ "error_encryption_key_invalid": "A chave ID ou Chave de Criptografia é inválida",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Você deseja configurar {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Chave de encriptação",
+ "key_id": "Key ID",
+ "password_description": "Senha para proteger o backup.",
+ "mac_address": "Endereço MAC",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Nome do calendário",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "O fluxo de configuração já está em andamento",
"abort_invalid_host": "Nome de host ou endereço IP inválido",
"device_not_supported": "Dispositivo não suportado",
+ "invalid_authentication": "Autenticação inválida",
"name_model_at_host": "{name} ({model} em {host})",
"authenticate_to_the_device": "Autenticar no dispositivo",
"finish_title": "Escolha um nome para o dispositivo",
@@ -2285,22 +2505,143 @@
"yes_do_it": "Sim, faça isso.",
"unlock_the_device_optional": "Desbloquear o dispositivo (opcional)",
"connect_to_the_device": "Conectar-se ao dispositivo",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Tempo limite para estabelecer conexão atingido",
- "link_google_account": "Vincular conta do Google",
- "path_is_not_allowed": "O caminho não é permitido",
- "path_is_not_valid": "O caminho não é válido",
- "path_to_file": "Caminho para o arquivo",
+ "user_description": "Insira as credenciais para a API Tuya Cloud.",
+ "account_is_already_configured": "A conta já foi configurada",
+ "invalid_access_token": "Token de acesso inválido",
+ "received_invalid_token_data": "Dados de token recebidos inválidos.",
+ "abort_oauth_failed": "Erro ao obter token de acesso.",
+ "timeout_resolving_oauth_token": "Tempo limite resolvendo o token OAuth.",
+ "abort_oauth_unauthorized": "Erro de autorização OAuth ao obter o token de acesso.",
+ "successfully_authenticated": "Autenticado com sucesso",
+ "link_fitbit": "Vínculo Fitbit",
+ "pick_authentication_method": "Escolha o método de autenticação",
+ "two_factor_code": "Código de verificação em duas etapas",
+ "two_factor_authentication": "Autenticação de duas etapas",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Entrar com conta Ring",
+ "abort_alternative_integration": "O dispositivo é melhor suportado por outra integração",
+ "abort_incomplete_config": "A configuração não tem uma variável obrigatória",
+ "manual_description": "URL para um arquivo XML de descrição do dispositivo",
+ "manual_title": "Conexão manual do dispositivo DLNA DMR",
+ "discovered_dlna_dmr_devices": "Dispositivos DMR DLNA descobertos",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
+ "abort_addon_info_failed": "Failed get info for the {addon} add-on.",
+ "abort_addon_install_failed": "Failed to install the {addon} add-on.",
+ "abort_addon_start_failed": "Failed to start the {addon} add-on.",
+ "invalid_birth_topic": "Tópico de nascimento inválido",
+ "error_bad_certificate": "O certificado CA é inválido",
+ "invalid_discovery_prefix": "Prefixo de descoberta inválido",
+ "invalid_will_topic": "Tópico de vontade inválido",
+ "broker": "Endereço do Broker",
+ "data_certificate": "Carregar arquivo de certificado de CA personalizado",
+ "upload_client_certificate_file": "Carregar arquivo de certificado do cliente",
+ "upload_private_key_file": "Carregar arquivo de chave privada",
+ "data_keepalive": "O tempo entre o envio de mensagens de manutenção viva",
+ "mqtt_protocol": "Protocolo MQTT",
+ "broker_certificate_validation": "Validação do certificado do corretor",
+ "use_a_client_certificate": "Usar um certificado de cliente",
+ "ignore_broker_certificate_validation": "Ignorar a validação do certificado do corretor",
+ "mqtt_transport": "Transporte MQTT",
+ "data_ws_headers": "Cabeçalhos WebSocket no formato JSON",
+ "websocket_path": "Caminho do WebSocket",
+ "hassio_confirm_title": "Gateway deCONZ Zigbee via add-on",
+ "installing_add_on": "Installing add-on",
+ "reauth_confirm_title": "Re-authentication required with the MQTT broker",
+ "starting_add_on": "Starting add-on",
+ "menu_options_addon": "Use the official {addon} add-on.",
+ "menu_options_broker": "Manually enter the MQTT broker connection details",
"api_key": "Chave da API",
"configure_daikin_ac": "Configurar o AC Daikin",
- "hacs_is_not_setup": "HACS is not setup.",
+ "cannot_connect_details_error_detail": "Não é possível conectar. Detalhes: {error_detail}",
+ "unknown_details_error_detail": "Desconhecido. Detalhes: {error_detail}",
+ "uses_an_ssl_certificate": "Usar um certificado SSL",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "confirm_hardware_description": "Deseja configurar {name}?",
+ "adapter": "Adaptador",
+ "multiple_adapters_description": "Selecione um adaptador Bluetooth para configurar",
+ "api_error_occurred": "Ocorreu um erro de API",
+ "hostname_ip_address": "{hostname} ({ip_address})",
+ "enable_https": "Ativar HTTPS",
+ "hacs_is_not_setup": "HACS is not setup.",
"reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
"waiting_for_device_activation": "Waiting for device activation",
"reauthentication_needed": "Reauthentication needed",
"reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adaptador",
- "multiple_adapters_description": "Selecione um adaptador Bluetooth para configurar",
+ "meteorologisk_institutt": "Instituto de Meteorologia",
+ "timeout_establishing_connection": "Tempo limite para estabelecer conexão atingido",
+ "link_google_account": "Vincular Conta do Google",
+ "path_is_not_allowed": "O caminho não é permitido",
+ "path_is_not_valid": "O caminho não é válido",
+ "path_to_file": "Caminho para o arquivo",
+ "pin_code": "Código PIN",
+ "discovered_android_tv": "Android TV descoberta",
+ "abort_already_configured": "O dispositivo já foi configurado.",
+ "invalid_host": "Host inválido.",
+ "wrong_smartthings_token": "Token errado do SmartThings.",
+ "error_st_device_not_found": "ID de TV SmartThings não encontrado.",
+ "error_st_device_used": "ID de TV SmartThings já está em uso.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host ou endereço IP",
+ "data_name": "Nome atribuído à entidade",
+ "smartthings_generated_token_optional": "Token gerado pelo SmartThings (opcional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "ID de TV SmartThings",
+ "all_entities": "Todas as entidades",
+ "hide_members": "Ocultar membros",
+ "create_group": "Create Group",
+ "device_class": "Classe do dispositivo",
+ "ignore_non_numeric": "Ignorar não numérico",
+ "data_round_digits": "Arredondar o valor para o número de casas decimais",
+ "type": "Type",
+ "binary_sensor_group": "Grupo de sensores binários",
+ "button_group": "Button group",
+ "cover_group": "Grupo de persianas",
+ "event_group": "Grupo de eventos",
+ "lock_group": "Grupo de fechaduras",
+ "media_player_group": "Grupo de reprodutores de mídia",
+ "notify_group": "Notify group",
+ "sensor_group": "Grupo de sensores",
+ "switch_group": "Grupo de interruptores",
+ "known_hosts": "Hosts conhecidos",
+ "google_cast_configuration": "Configuração do Google Cast",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Endereço MAC ausente nas propriedades MDNS.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Nó ESPHome descoberto",
+ "bridge_is_already_configured": "A ponte já está configurada",
+ "no_deconz_bridges_discovered": "Não há pontes de deCONZ descobertas",
+ "abort_no_hardware_available": "Nenhum hardware de rádio conectado ao deCONZ",
+ "abort_updated_instance": "Atualização da instância deCONZ com novo endereço de host",
+ "error_linking_not_possible": "Não foi possível se conectar com o gateway",
+ "error_no_key": "Não foi possível obter uma chave de API",
+ "link_with_deconz": "Linkar com deCONZ",
+ "select_discovered_deconz_gateway": "Selecione o gateway deCONZ descoberto",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "Nenhum serviço encontrado no terminal",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
"arm_away_action": "Arm away action",
"arm_custom_bypass_action": "Arm custom bypass action",
"arm_home_action": "Arm home action",
@@ -2311,12 +2652,10 @@
"trigger_action": "Trigger action",
"value_template": "Value template",
"template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Classe do dispositivo",
"state_template": "State template",
"template_binary_sensor": "Template binary sensor",
"actions_on_press": "Actions on press",
"template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
"template_image": "Template image",
"actions_on_set_value": "Actions on set value",
"step_value": "Step value",
@@ -2337,203 +2676,76 @@
"template_a_sensor": "Template a sensor",
"template_a_switch": "Template a switch",
"template_helper": "Template helper",
- "invalid_host": "Host inválido.",
- "wrong_smartthings_token": "Token errado do SmartThings.",
- "error_st_device_not_found": "ID de TV SmartThings não encontrado.",
- "error_st_device_used": "ID de TV SmartThings já está em uso.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host ou endereço IP",
- "data_name": "Nome atribuído à entidade",
- "smartthings_generated_token_optional": "Token gerado pelo SmartThings (opcional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "ID de TV SmartThings",
- "abort_addon_info_failed": "Failed get info for the {addon} add-on.",
- "abort_addon_install_failed": "Failed to install the {addon} add-on.",
- "abort_addon_start_failed": "Failed to start the {addon} add-on.",
- "invalid_birth_topic": "Tópico de nascimento inválido",
- "error_bad_certificate": "O certificado CA é inválido",
- "invalid_discovery_prefix": "Prefixo de descoberta inválido",
- "invalid_will_topic": "Tópico de vontade inválido",
- "broker": "Endereço do Broker",
- "data_certificate": "Carregar arquivo de certificado de CA personalizado",
- "upload_client_certificate_file": "Carregar arquivo de certificado do cliente",
- "upload_private_key_file": "Carregar arquivo de chave privada",
- "data_keepalive": "O tempo entre o envio de mensagens de manutenção viva",
- "mqtt_protocol": "Protocolo MQTT",
- "broker_certificate_validation": "Validação do certificado do corretor",
- "use_a_client_certificate": "Usar um certificado de cliente",
- "ignore_broker_certificate_validation": "Ignorar a validação do certificado do corretor",
- "mqtt_transport": "Transporte MQTT",
- "data_ws_headers": "Cabeçalhos WebSocket no formato JSON",
- "websocket_path": "Caminho do WebSocket",
- "hassio_confirm_title": "Gateway deCONZ Zigbee via add-on",
- "installing_add_on": "Installing add-on",
- "reauth_confirm_title": "Re-authentication required with the MQTT broker",
- "starting_add_on": "Starting add-on",
- "menu_options_addon": "Use the official {addon} add-on.",
- "menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "A ponte já está configurada",
- "no_deconz_bridges_discovered": "Não há pontes de deCONZ descobertas",
- "abort_no_hardware_available": "Nenhum hardware de rádio conectado ao deCONZ",
- "abort_updated_instance": "Atualização da instância deCONZ com novo endereço de host",
- "error_linking_not_possible": "Não foi possível se conectar com o gateway",
- "error_no_key": "Não foi possível obter uma chave de API",
- "link_with_deconz": "Linkar com deCONZ",
- "select_discovered_deconz_gateway": "Selecione o gateway deCONZ descoberto",
- "pin_code": "Código PIN",
- "discovered_android_tv": "Android TV descoberta",
- "abort_mdns_missing_mac": "Endereço MAC ausente nas propriedades MDNS.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Nó ESPHome descoberto",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "Nenhum serviço encontrado no terminal",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "O dispositivo é melhor suportado por outra integração",
- "abort_incomplete_config": "A configuração não tem uma variável obrigatória",
- "manual_description": "URL para um arquivo XML de descrição do dispositivo",
- "manual_title": "Conexão manual do dispositivo DLNA DMR",
- "discovered_dlna_dmr_devices": "Dispositivos DMR DLNA descobertos",
- "api_error_occurred": "Ocorreu um erro de API",
- "hostname_ip_address": "{hostname} ({ip_address})",
- "enable_https": "Ativar HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
- "meteorologisk_institutt": "Instituto de Meteorologia",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Código de verificação em duas etapas",
- "two_factor_authentication": "Autenticação de duas etapas",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Entrar com conta Ring",
- "all_entities": "Todas as entidades",
- "hide_members": "Ocultar membros",
- "create_group": "Create Group",
- "ignore_non_numeric": "Ignorar não numérico",
- "data_round_digits": "Arredondar o valor para o número de casas decimais",
- "type": "Type",
- "binary_sensor_group": "Grupo de sensores binários",
- "button_group": "Button group",
- "cover_group": "Grupo de persianas",
- "event_group": "Grupo de eventos",
- "fan_group": "Grupo de ventiladores",
- "light_group": "Grupo de lâmpadas",
- "lock_group": "Grupo de fechaduras",
- "media_player_group": "Grupo de reprodutores de mídia",
- "notify_group": "Notify group",
- "sensor_group": "Grupo de sensores",
- "switch_group": "Grupo de interruptores",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Tipo de Switchbot sem suporte.",
- "authentication_failed_error_detail": "Falha na autenticação: {error_detail}",
- "error_encryption_key_invalid": "A chave ID ou Chave de Criptografia é inválida",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Senha para proteger o backup.",
- "device_address": "Endereço do dispositivo",
- "cannot_connect_details_error_detail": "Não é possível conectar. Detalhes: {error_detail}",
- "unknown_details_error_detail": "Desconhecido. Detalhes: {error_detail}",
- "uses_an_ssl_certificate": "Usar um certificado SSL",
- "ignore_cec": "Ignorar CEC",
- "allowed_uuids": "UUIDs permitidos",
- "advanced_google_cast_configuration": "Configuração avançada do Google Cast",
- "device_dev_name_successfully_action": "Dispositivo {dev_name} {action} com sucesso.",
- "not_supported": "Não suportado",
- "localtuya_configuration": "Configuração LocalTuya",
- "init_description": "Selecione a ação desejada.",
- "add_a_new_device": "Adicionar um novo dispositivo",
- "edit_a_device": "Editar um dispositivo",
- "reconfigure_cloud_api_account": "Reconfigurar a conta da API da Cloud",
- "discovered_devices": "Dispositivos descobertos",
- "edit_a_new_device": "Editar um novo dispositivo",
- "configured_devices": "Dispositivos configurados",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Insira as credenciais para a API Tuya Cloud.",
- "configure_tuya_device": "Configurar dispositivo Tuya",
- "configure_device_description": "Preencha os detalhes do dispositivo {for_device}.",
- "device_id": "ID de dispositivo",
- "local_key": "Local key",
- "protocol_version": "Versão do protocolo",
- "data_entities": "Entidades (desmarque uma entidade para removê-la)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Seleção do tipo de entidade",
- "platform": "Plataforma",
- "data_no_additional_entities": "Não adicione mais entidades",
- "configure_entity": "Configurar entidade",
- "friendly_name": "Nome fantasia",
- "open_close_stop_commands_set": "Conjunto de comandos Abrir_Fechar_Parar",
- "positioning_mode": "Modo de posicionamento",
- "data_current_position_dp": "Posição atual (somente para o modo *posição*)",
- "data_set_position_dp": "Definir posição (somente para o modo *posição*)",
- "data_position_inverted": "Inverter 0-100 posição (somente para o modo *posição*)",
- "scaling_factor": "Fator de escala",
- "on_value": "Valor ligado",
- "off_value": "Valor desligado",
- "data_powergo_dp": "Potência DP (Geralmente 25 ou 2)",
- "idle_status_comma_separated": "Status ocioso (separado por vírgula)",
- "returning_status": "Status de retorno",
- "docked_status_comma_separated": "Status encaixado (separado por vírgula)",
- "fault_dp_usually": "Falha DP (Geralmente 11)",
- "data_battery_dp": "Status da bateria DP (normalmente 14)",
- "mode_dp_usually": "Modo DP (Geralmente 27)",
- "modes_list": "Lista de modos",
- "return_home_mode": "Modo de retorno para casa",
- "data_fan_speed_dp": "Velocidades do ventilador DP (normalmente 30)",
- "fan_speeds_list_comma_separated": "Lista de velocidades do ventilador (separadas por vírgulas)",
- "data_clean_time_dp": "Tempo Limpo DP (Geralmente 33)",
- "data_clean_area_dp": "Área Limpa DP (Geralmente 32)",
- "data_clean_record_dp": "Limpar Registro DP (Geralmente 34)",
- "locate_dp_usually": "Localize DP (Geralmente 31)",
- "data_paused_state": "Estado de pausa (pausa, pausado, etc)",
- "stop_status": "Status de parada",
- "data_brightness": "Brilho (somente para cor branca)",
- "brightness_lower_value": "Valor mais baixo de brilho",
- "brightness_upper_value": "Valor superior de brilho",
- "color_temperature_reverse": "Temperatura da cor reversa",
- "data_color_temp_min_kelvin": "Temperatura de cor mínima em K",
- "data_color_temp_max_kelvin": "Temperatura máxima de cor em K",
- "music_mode_available": "Modo de música disponível",
- "data_select_options": "Entradas válidas, entradas separadas por um ;",
- "fan_speed_control_dps": "Dps de controle de velocidade do ventilador",
- "fan_oscillating_control_dps": "Dps de controle oscilante do ventilador",
- "minimum_fan_speed_integer": "Velocidade mínima do ventilador inteiro",
- "maximum_fan_speed_integer": "Velocidade máxima do ventilador inteiro",
- "data_fan_speed_ordered_list": "Lista de modos de velocidade do ventilador (substitui a velocidade min/max)",
- "fan_direction_dps": "Direção do ventilador dps",
- "forward_dps_string": "Seqüência de dps para frente",
- "reverse_dps_string": "String dps reversa",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Etapa de temperatura (opcional)",
- "max_temperature_dp_optional": "Temperatura máxima (opcional)",
- "min_temperature_dp_optional": "Temperatura mínima (opcional)",
- "data_precision": "Precisão (opcional, para valores de DPs)",
- "data_target_precision": "Precisão do alvo (opcional, para valores de DPs)",
- "temperature_unit_optional": "Unidade de Temperatura (opcional)",
- "hvac_mode_dp_optional": "Modo HVAC DP (opcional)",
- "hvac_mode_set_optional": "Conjunto de modo HVAC (opcional)",
- "data_hvac_action_dp": "Ação atual de HVAC DP (opcional)",
- "data_hvac_action_set": "Conjunto de ação atual HVAC (opcional)",
- "presets_dp_optional": "Predefinições DP (opcional)",
- "presets_set_optional": "Conjunto de predefinições (opcional)",
- "eco_dp_optional": "Eco DP (opcional)",
- "eco_value_optional": "Valor eco (opcional)",
- "enable_heuristic_action_optional": "Ativar ação heurística (opcional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Acesso do Home Assistant ao Google Calendar",
+ "abort_device_updated": "A configuração do dispositivo foi atualizada!",
+ "failed_to_authenticate_msg": "Falha ao autenticar.\n{msg}",
+ "error_device_list_failed": "Falha ao recuperar a lista de dispositivos.\n{msg}",
+ "cloud_api_account_configuration": "Configuração da conta da API da Cloud",
+ "api_server_region": "Região do servidor de API",
+ "client_id": "ID do Cliente",
+ "secret": "Secret",
+ "user_id": "ID do usuário",
+ "data_no_cloud": "Não configure a conta da API da Cloud",
+ "abort_not_zha_device": "Este dispositivo não é um dispositivo ZHA",
+ "abort_usb_probe_failed": "Falha ao sondar o dispositivo usb",
+ "invalid_backup_json": "JSON de backup inválido",
+ "choose_an_automatic_backup": "Escolha um backup automático",
+ "restore_automatic_backup": "Restaurar Backup Automático",
+ "choose_formation_strategy_description": "Escolha as configurações de rede para o seu rádio.",
+ "restore_an_automatic_backup": "Restaurar um backup automático",
+ "create_a_network": "Criar uma rede",
+ "keep_radio_network_settings": "Manter as configurações de rede de rádio",
+ "upload_a_manual_backup": "Carregar um backup manualmente",
+ "network_formation": "Formação de rede",
+ "serial_device_path": "Caminho do dispositivo serial",
+ "select_a_serial_port": "Selecione uma porta serial",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Escolha seu tipo de rádio Zigbee",
+ "port_speed": "Velocidade da porta",
+ "data_flow_control": "Controle de fluxo de dados",
+ "manual_port_config_description": "Digite as configurações da porta serial",
+ "serial_port_settings": "Configurações da porta serial",
+ "data_overwrite_coordinator_ieee": "Substituir permanentemente o endereço IEEE do rádio",
+ "overwrite_radio_ieee_address": "Sobrescrever o endereço IEEE do rádio",
+ "upload_a_file": "Carregar um arquivo",
+ "radio_is_not_recommended": "Este rádio não é recomendado",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Nome do calendário",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Código necessário para ações de armamento",
+ "zha_alarm_options_alarm_master_code": "Código mestre para o(s) painel(es) de controle de alarme",
+ "alarm_control_panel_options": "Opções do painel de controle de alarme",
+ "zha_options_consider_unavailable_battery": "Considerar dispositivos alimentados por bateria indisponíveis após (segundos)",
+ "zha_options_consider_unavailable_mains": "Considerar os dispositivos alimentados pela rede indisponíveis após (segundos)",
+ "zha_options_default_light_transition": "Tempo de transição de luz padrão (segundos)",
+ "zha_options_group_members_assume_state": "Os membros do grupo assumem o estado do grupo",
+ "zha_options_light_transitioning_flag": "Ative o controle deslizante de brilho aprimorado durante a transição de luz",
+ "global_options": "Opções globais",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Contagem de tentativas",
"data_process": "Processos para adicionar como sensor(es)",
+ "invalid_url": "URL inválida",
+ "data_browse_unfiltered": "Mostrar mídia incompatível ao navegar",
+ "event_listener_callback_url": "URL de retorno do ouvinte de eventos",
+ "data_listen_port": "Porta do ouvinte de eventos (aleatório se não estiver definido)",
+ "poll_for_device_availability": "Pesquisa de disponibilidade do dispositivo",
+ "init_title": "Configuração do renderizador de mídia digital DLNA",
+ "broker_options": "Opções do broker",
+ "enable_birth_message": "Ativar ´Birth message´",
+ "birth_message_payload": "Payload ´Birth message´",
+ "birth_message_qos": "QoS ´Birth message´",
+ "birth_message_retain": "Retain ´Birth message´",
+ "birth_message_topic": "Tópico ´Birth message´",
+ "enable_discovery": "Ativar descoberta",
+ "discovery_prefix": "Prefixo de descoberta",
+ "enable_will_message": "Ativar `Will message`",
+ "will_message_payload": "Payload `Will message`",
+ "will_message_qos": "QoS `Will message`",
+ "will_message_retain": "Retain `Will message`",
+ "will_message_topic": "Tópico `Will message`",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "Opções de MQTT",
+ "passive_scanning": "Varredura passiva",
+ "protocol": "Protocolo",
"abort_pending_tasks": "There are pending tasks. Try again later.",
"data_not_in_use": "Not in use with YAML",
"filter_with_country_code": "Filter with country code",
@@ -2542,7 +2754,7 @@
"data_appdaemon": "Enable AppDaemon apps discovery & tracking",
"side_panel_icon": "Side panel icon",
"side_panel_title": "Side panel title",
- "passive_scanning": "Varredura passiva",
+ "language_code": "Código do idioma",
"samsungtv_smart_options": "Opções SamsungTV Smart",
"data_use_st_status_info": "Use as informações de status da TV SmartThings",
"data_use_st_channel_info": "Use as informações dos canais de TV SmartThings",
@@ -2570,28 +2782,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Opções do broker",
- "enable_birth_message": "Ativar ´Birth message´",
- "birth_message_payload": "Payload ´Birth message´",
- "birth_message_qos": "QoS ´Birth message´",
- "birth_message_retain": "Retain ´Birth message´",
- "birth_message_topic": "Tópico ´Birth message´",
- "enable_discovery": "Ativar descoberta",
- "discovery_prefix": "Prefixo de descoberta",
- "enable_will_message": "Ativar `Will message`",
- "will_message_payload": "Payload `Will message`",
- "will_message_qos": "QoS `Will message`",
- "will_message_retain": "Retain `Will message`",
- "will_message_topic": "Tópico `Will message`",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "Opções de MQTT",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Permitir sensores deCONZ CLIP",
- "allow_deconz_light_groups": "Permitir grupos de luz deCONZ",
- "data_allow_new_devices": "Permitir a adição automática de novos dispositivos",
- "deconz_devices_description": "Configure a visibilidade dos tipos de dispositivos deCONZ",
- "deconz_options": "Opções deCONZ",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2599,26 +2789,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "URL inválida",
- "data_browse_unfiltered": "Mostrar mídia incompatível ao navegar",
- "event_listener_callback_url": "URL de retorno do ouvinte de eventos",
- "data_listen_port": "Porta do ouvinte de eventos (aleatório se não estiver definido)",
- "poll_for_device_availability": "Pesquisa de disponibilidade do dispositivo",
- "init_title": "Configuração do renderizador de mídia digital DLNA",
- "protocol": "Protocolo",
- "language_code": "Código do idioma",
- "bluetooth_scanner_mode": "Modo de varredura Bluetooth",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Contagem de tentativas",
+ "ignore_cec": "Ignorar CEC",
+ "allowed_uuids": "UUIDs permitidos",
+ "advanced_google_cast_configuration": "Configuração avançada do Google Cast",
+ "allow_deconz_clip_sensors": "Permitir sensores deCONZ CLIP",
+ "allow_deconz_light_groups": "Permitir grupos de luz deCONZ",
+ "data_allow_new_devices": "Permitir a adição automática de novos dispositivos",
+ "deconz_devices_description": "Configure a visibilidade dos tipos de dispositivos deCONZ",
+ "deconz_options": "Opções deCONZ",
"select_test_server": "Selecione o servidor de teste",
- "toggle_entity_name": "Alternar {entity_name}",
- "turn_off_entity_name": "Desativar {entity_name}",
- "turn_on_entity_name": "Ativar {entity_name}",
- "entity_name_is_off": "{entity_name} está desativado",
- "entity_name_is_on": "{entity_name} está ativado",
- "trigger_type_changed_states": "{entity_name} ativado ou desativado",
- "entity_name_turned_off": "{entity_name} desativado",
- "entity_name_turned_on": "{entity_name} ativado",
+ "data_calendar_access": "Acesso do Home Assistant ao Google Calendar",
+ "bluetooth_scanner_mode": "Modo de varredura Bluetooth",
+ "device_dev_name_successfully_action": "Dispositivo {dev_name} {action} com sucesso.",
+ "not_supported": "Não suportado",
+ "localtuya_configuration": "Configuração LocalTuya",
+ "init_description": "Selecione a ação desejada.",
+ "add_a_new_device": "Adicionar um novo dispositivo",
+ "edit_a_device": "Editar um dispositivo",
+ "reconfigure_cloud_api_account": "Reconfigurar a conta da API da Cloud",
+ "discovered_devices": "Dispositivos descobertos",
+ "edit_a_new_device": "Editar um novo dispositivo",
+ "configured_devices": "Dispositivos configurados",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configurar dispositivo Tuya",
+ "configure_device_description": "Preencha os detalhes do dispositivo {for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Versão do protocolo",
+ "data_entities": "Entidades (desmarque uma entidade para removê-la)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Seleção do tipo de entidade",
+ "platform": "Plataforma",
+ "data_no_additional_entities": "Não adicione mais entidades",
+ "configure_entity": "Configurar entidade",
+ "friendly_name": "Nome fantasia",
+ "open_close_stop_commands_set": "Conjunto de comandos Abrir_Fechar_Parar",
+ "positioning_mode": "Modo de posicionamento",
+ "data_current_position_dp": "Posição atual (somente para o modo *posição*)",
+ "data_set_position_dp": "Definir posição (somente para o modo *posição*)",
+ "data_position_inverted": "Inverter 0-100 posição (somente para o modo *posição*)",
+ "scaling_factor": "Fator de escala",
+ "on_value": "Valor ligado",
+ "off_value": "Valor desligado",
+ "data_powergo_dp": "Potência DP (Geralmente 25 ou 2)",
+ "idle_status_comma_separated": "Status ocioso (separado por vírgula)",
+ "returning_status": "Status de retorno",
+ "docked_status_comma_separated": "Status encaixado (separado por vírgula)",
+ "fault_dp_usually": "Falha DP (Geralmente 11)",
+ "data_battery_dp": "Status da bateria DP (normalmente 14)",
+ "mode_dp_usually": "Modo DP (Geralmente 27)",
+ "modes_list": "Lista de modos",
+ "return_home_mode": "Modo de retorno para casa",
+ "data_fan_speed_dp": "Velocidades do ventilador DP (normalmente 30)",
+ "fan_speeds_list_comma_separated": "Lista de velocidades do ventilador (separadas por vírgulas)",
+ "data_clean_time_dp": "Tempo Limpo DP (Geralmente 33)",
+ "data_clean_area_dp": "Área Limpa DP (Geralmente 32)",
+ "data_clean_record_dp": "Limpar Registro DP (Geralmente 34)",
+ "locate_dp_usually": "Localize DP (Geralmente 31)",
+ "data_paused_state": "Estado de pausa (pausa, pausado, etc)",
+ "stop_status": "Status de parada",
+ "data_brightness": "Brilho (somente para cor branca)",
+ "brightness_lower_value": "Valor mais baixo de brilho",
+ "brightness_upper_value": "Valor superior de brilho",
+ "color_temperature_reverse": "Temperatura da cor reversa",
+ "data_color_temp_min_kelvin": "Temperatura de cor mínima em K",
+ "data_color_temp_max_kelvin": "Temperatura máxima de cor em K",
+ "music_mode_available": "Modo de música disponível",
+ "data_select_options": "Entradas válidas, entradas separadas por um ;",
+ "fan_speed_control_dps": "Dps de controle de velocidade do ventilador",
+ "fan_oscillating_control_dps": "Dps de controle oscilante do ventilador",
+ "minimum_fan_speed_integer": "Velocidade mínima do ventilador inteiro",
+ "maximum_fan_speed_integer": "Velocidade máxima do ventilador inteiro",
+ "data_fan_speed_ordered_list": "Lista de modos de velocidade do ventilador (substitui a velocidade min/max)",
+ "fan_direction_dps": "Direção do ventilador dps",
+ "forward_dps_string": "Seqüência de dps para frente",
+ "reverse_dps_string": "String dps reversa",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Etapa de temperatura (opcional)",
+ "max_temperature_dp_optional": "Temperatura máxima (opcional)",
+ "min_temperature_dp_optional": "Temperatura mínima (opcional)",
+ "data_precision": "Precisão (opcional, para valores de DPs)",
+ "data_target_precision": "Precisão do alvo (opcional, para valores de DPs)",
+ "temperature_unit_optional": "Unidade de Temperatura (opcional)",
+ "hvac_mode_dp_optional": "Modo HVAC DP (opcional)",
+ "hvac_mode_set_optional": "Conjunto de modo HVAC (opcional)",
+ "data_hvac_action_dp": "Ação atual de HVAC DP (opcional)",
+ "data_hvac_action_set": "Conjunto de ação atual HVAC (opcional)",
+ "presets_dp_optional": "Predefinições DP (opcional)",
+ "presets_set_optional": "Conjunto de predefinições (opcional)",
+ "eco_dp_optional": "Eco DP (opcional)",
+ "eco_value_optional": "Valor eco (opcional)",
+ "enable_heuristic_action_optional": "Ativar ação heurística (opcional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigurar ZHA",
+ "unplug_your_old_radio": "Desconecte seu rádio antigo",
+ "intent_migrate_title": "Migrar para um novo rádio",
+ "re_configure_the_current_radio": "Reconfigure o rádio atual",
+ "migrate_or_re_configure": "Migrar ou reconfigurar",
"current_entity_name_apparent_power": "Potência aparente atual de {entity_name}",
"condition_type_is_aqi": "Índice de qualidade do ar atual de {entity_name}",
"current_entity_name_area": "Current {entity_name} area",
@@ -2713,6 +2988,58 @@
"entity_name_water_changes": "mudanças de água {entity_name}",
"entity_name_weight_changes": "Alterações de peso {entity_name}",
"entity_name_wind_speed_changes": "{entity_name} mudanças na velocidade do vento",
+ "decrease_entity_name_brightness": "Diminuir o brilho {entity_name}",
+ "increase_entity_name_brightness": "Aumente o brilho {entity_name}",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Alternar {entity_name}",
+ "turn_off_entity_name": "Desativar {entity_name}",
+ "turn_on_entity_name": "Ativar {entity_name}",
+ "entity_name_is_off": "{entity_name} está desativado",
+ "entity_name_is_on": "{entity_name} está ativado",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} ativado ou desativado",
+ "entity_name_turned_off": "{entity_name} desativado",
+ "entity_name_turned_on": "{entity_name} ativado",
+ "set_value_for_entity_name": "Definir valor para {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} disponibilidade de atualização alterada",
+ "entity_name_became_up_to_date": "{entity_name} for atualizado",
+ "trigger_type_turned_on": "{entity_name} tem uma atualização disponível",
+ "first_button": "Primeiro botão",
+ "second_button": "Segundo botão",
+ "third_button": "Terceiro botão",
+ "fourth_button": "Quarto botão",
+ "fifth_button": "Quinto botão",
+ "sixth_button": "Sexto botão",
+ "subtype_double_clicked": "\"{subtype}\" clicado duas vezes",
+ "subtype_continuously_pressed": "\"{subtype}\" pressionado continuamente",
+ "trigger_type_button_long_release": "\"{subtype}\" lançado após longa prensa",
+ "subtype_quadruple_clicked": "\"{subtype}\" quádruplo clicado",
+ "subtype_quintuple_clicked": "\"{subtype}\" quíntuplo clicado",
+ "subtype_pressed": "\"{subtype}\" pressionado",
+ "subtype_released": "\"{subtype}\" liberado",
+ "subtype_triple_clicked": "\"{subtype}\" triplo clique",
+ "entity_name_is_home": "{entity_name} está em casa",
+ "entity_name_is_not_home": "{entity_name} não está em casa",
+ "entity_name_enters_a_zone": "{entity_name} entra em uma zona",
+ "entity_name_leaves_a_zone": "{entity_name} sai de uma zona",
+ "press_entity_name_button": "Pressione o botão {entity_name}",
+ "entity_name_has_been_pressed": "{entity_name} foi pressionado",
+ "let_entity_name_clean": "Permitir {entity_name} limpar",
+ "action_type_dock": "Permitir {entity_name} voltar à base",
+ "entity_name_is_cleaning": "{entity_name} está limpando",
+ "entity_name_docked": "{entity_name} está na base",
+ "entity_name_started_cleaning": "{entity_name} iniciou a limpeza",
+ "send_a_notification": "Enviar uma notificação",
+ "lock_entity_name": "Bloquear {entity_name}",
+ "open_entity_name": "Abra {entity_name}",
+ "unlock_entity_name": "Desbloquear {entity_name}",
+ "entity_name_is_locked": "{entity_name} está bloqueado",
+ "entity_name_is_open": "{entity_name} está aberto",
+ "entity_name_is_unlocked": "{entity_name} está desbloqueado",
+ "entity_name_locked": "{entity_name} bloqueado",
+ "entity_name_opened": "{entity_name} aberto",
+ "entity_name_unlocked": "{entity_name} desbloqueado",
"action_type_set_hvac_mode": "Alterar o modo HVAC em {entity_name}",
"change_preset_on_entity_name": "Alterar predefinição em {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2720,21 +3047,34 @@
"entity_name_measured_humidity_changed": "{entity_name} umidade medida alterada",
"entity_name_measured_temperature_changed": "{entity_name} temperatura medida alterada",
"entity_name_hvac_mode_changed": "{entity_name} modo HVAC alterado",
- "set_value_for_entity_name": "Definir valor para {entity_name}",
- "value": "Valor",
- "entity_name_battery_is_low": "{entity_name} a bateria está fraca",
- "entity_name_is_charging": "{entity_name} está carregando",
- "condition_type_is_co": "{entity_name} está detectando monóxido de carbono",
- "entity_name_is_cold": "{entity_name} é frio",
- "entity_name_is_connected": "{entity_name} está conectado",
- "entity_name_is_detecting_gas": "{entity_name} está detectando gás",
- "entity_name_is_hot": "{entity_name} é quente",
- "entity_name_is_detecting_light": "{entity_name} está detectando luz",
- "entity_name_is_locked": "{entity_name} está bloqueado",
- "entity_name_is_moist": "{entity_name} está úmido",
- "entity_name_is_detecting_motion": "{entity_name} está detectando movimento",
- "entity_name_is_moving": "{entity_name} está se movendo",
- "condition_type_is_no_co": "{entity_name} não está detectando monóxido de carbono",
+ "close_entity_name": "Fechar {entity_name}",
+ "close_entity_name_tilt": "Fechar inclinação de {entity_name}",
+ "open_entity_name_tilt": "Abrir inclinação de {entity_name}",
+ "set_entity_name_position": "Definir a posição de {entity_name}",
+ "set_entity_name_tilt_position": "Definir a posição de inclinação de {entity_name}",
+ "stop_entity_name": "Parar {entity_name}",
+ "entity_name_is_closed": "{entity_name} está fechado",
+ "entity_name_is_closing": "{entity_name} está fechando",
+ "entity_name_is_opening": "{entity_name} está abrindo",
+ "current_entity_name_position_is": "A posição atual de {entity_name}",
+ "condition_type_is_tilt_position": "A posição de inclinação atual de {entity_name}",
+ "entity_name_closed": "{entity_name} for fechado",
+ "entity_name_closing": "{entity_name} estiver fechando",
+ "entity_name_opening": "{entity_name} estiver abrindo",
+ "entity_name_position_changes": "houver mudança de posição de {entity_name}",
+ "entity_name_tilt_position_changes": "houver mudança na posição de inclinação de {entity_name}",
+ "entity_name_battery_is_low": "{entity_name} a bateria está fraca",
+ "entity_name_is_charging": "{entity_name} está carregando",
+ "condition_type_is_co": "{entity_name} está detectando monóxido de carbono",
+ "entity_name_is_cold": "{entity_name} é frio",
+ "entity_name_is_connected": "{entity_name} está conectado",
+ "entity_name_is_detecting_gas": "{entity_name} está detectando gás",
+ "entity_name_is_hot": "{entity_name} é quente",
+ "entity_name_is_detecting_light": "{entity_name} está detectando luz",
+ "entity_name_is_moist": "{entity_name} está úmido",
+ "entity_name_is_detecting_motion": "{entity_name} está detectando movimento",
+ "entity_name_is_moving": "{entity_name} está se movendo",
+ "condition_type_is_no_co": "{entity_name} não está detectando monóxido de carbono",
"condition_type_is_no_gas": "{entity_name} não está detectando gás",
"condition_type_is_no_light": "{entity_name} não está detectando luz",
"condition_type_is_no_motion": "{entity_name} não está detectando movimento",
@@ -2748,18 +3088,15 @@
"entity_name_is_not_cold": "{entity_name} não é frio",
"entity_name_is_unplugged": "{entity_name} está desconectado",
"entity_name_is_not_hot": "{entity_name} não é quente",
- "entity_name_is_unlocked": "{entity_name} está desbloqueado",
"entity_name_is_dry": "{entity_name} está seco",
"entity_name_is_not_moving": "{entity_name} está parado",
"entity_name_is_not_occupied": "{entity_name} não está ocupado",
- "entity_name_is_closed": "{entity_name} está fechado",
"entity_name_is_not_powered": "{entity_name} não é alimentado",
"entity_name_not_present": "{entity_name} não está presente",
"entity_name_is_not_running": "{entity_name} não está em execução",
"condition_type_is_not_tampered": "{entity_name} não está detectando adulteração",
"entity_name_is_safe": "{entity_name} é seguro",
"entity_name_is_occupied": "{entity_name} está ocupado",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_powered": "{entity_name} é alimentado",
"entity_name_is_present": "{entity_name} está presente",
"entity_name_is_detecting_problem": "{entity_name} está detectando problema",
@@ -2768,7 +3105,6 @@
"entity_name_is_detecting_sound": "{entity_name} está detectando som",
"entity_name_is_detecting_tampering": "{entity_name} está detectando adulteração",
"entity_name_is_unsafe": "{entity_name} é inseguro",
- "trigger_type_turned_on": "{entity_name} tem uma atualização disponível",
"entity_name_is_detecting_vibration": "{entity_name} está detectando vibração",
"entity_name_battery_low": "{entity_name} bateria fraca",
"entity_name_charging": "{entity_name} carregando",
@@ -2778,7 +3114,6 @@
"entity_name_started_detecting_gas": "{entity_name} começou a detectar gás",
"entity_name_became_hot": "{entity_name} tornou-se quente",
"entity_name_started_detecting_light": "{entity_name} começou a detectar luz",
- "entity_name_locked": "{entity_name} for bloqueado",
"entity_name_became_moist": "{entity_name} ficar úmido",
"entity_name_started_detecting_motion": "{entity_name} começou a detectar movimento",
"entity_name_started_moving": "{entity_name} começou a se mover",
@@ -2789,22 +3124,18 @@
"entity_name_stopped_detecting_problem": "{entity_name} parou de detectar problema",
"entity_name_stopped_detecting_smoke": "{entity_name} parou de detectar fumaça",
"entity_name_stopped_detecting_sound": "{entity_name} parou de detectar som",
- "entity_name_became_up_to_date": "{entity_name} foi atualizado",
"entity_name_stopped_detecting_vibration": "{entity_name} parou de detectar vibração",
"entity_name_became_not_cold": "{entity_name} não frio",
"entity_name_unplugged": "{entity_name} desconectado",
"entity_name_became_not_hot": "{entity_name} não quente",
- "entity_name_unlocked": "{entity_name} for desbloqueado",
"entity_name_became_dry": "{entity_name} secou",
"entity_name_stopped_moving": "{entity_name} parado",
"entity_name_became_not_occupied": "{entity_name} desocupado",
- "entity_name_closed": "{entity_name} for fechado",
"entity_name_not_powered": "{entity_name} sem alimentação",
"trigger_type_not_running": "{entity_name} não estiver mais em execução",
"entity_name_stopped_detecting_tampering": "{entity_name} parou de detectar adulteração",
"entity_name_became_safe": "{entity_name} seguro",
"entity_name_became_occupied": "{entity_name} ocupado",
- "entity_name_opened": "{entity_name} opened",
"entity_name_powered": "{entity_name} alimentado",
"entity_name_present": "{entity_name} presente",
"entity_name_started_detecting_problem": "{entity_name} começou a detectar problema",
@@ -2822,35 +3153,6 @@
"entity_name_starts_buffering": "{entity_name} inicia o armazenamento em buffer",
"entity_name_becomes_idle": "{entity_name} ficar ocioso",
"entity_name_starts_playing": "{entity_name} começar a reproduzir",
- "entity_name_is_home": "{entity_name} está em casa",
- "entity_name_is_not_home": "{entity_name} não está em casa",
- "entity_name_enters_a_zone": "{entity_name} entra em uma zona",
- "entity_name_leaves_a_zone": "{entity_name} sai de uma zona",
- "decrease_entity_name_brightness": "Diminuir o brilho {entity_name}",
- "increase_entity_name_brightness": "Aumente o brilho {entity_name}",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} disponibilidade de atualização alterada",
- "arm_entity_name_away": "Armar {entity_name} longe",
- "arm_entity_name_home": "Armar {entity_name} casa",
- "arm_entity_name_night": "Armar {entity_name} noite",
- "arm_entity_name_vacation": "Armar {entity_name} férias",
- "disarm_entity_name": "Desarmar {entity_name}",
- "trigger_entity_name": "Disparar {entity_name}",
- "entity_name_is_armed_away": "{entity_name} está armado modo longe",
- "entity_name_is_armed_home": "{entity_name} está armadado modo casa",
- "entity_name_is_armed_night": "{entity_name} está armadado modo noite",
- "entity_name_is_armed_vacation": "{entity_name} está armadado modo férias",
- "entity_name_is_disarmed": "{entity_name} está desarmado",
- "entity_name_is_triggered": "{entity_name} está acionado",
- "entity_name_armed_away": "{entity_name} armado modo longe",
- "entity_name_armed_home": "{entity_name} armadado modo casa",
- "entity_name_armed_night": "{entity_name} armadado para noite",
- "entity_name_armed_vacation": "{entity_name} armadado para férias",
- "entity_name_disarmed": "{entity_name} desarmado",
- "entity_name_triggered": "{entity_name} acionado",
- "press_entity_name_button": "Pressione o botão {entity_name}",
- "entity_name_has_been_pressed": "{entity_name} foi pressionado",
"action_type_select_first": "Altere {entity_name} para a primeira opção",
"action_type_select_last": "Altere {entity_name} para a última opção",
"action_type_select_next": "Altere {entity_name} para a próxima opção",
@@ -2860,35 +3162,6 @@
"cycle": "Ciclo",
"from": "De",
"entity_name_option_changed": "{entity_name} opção alterada",
- "close_entity_name": "Fechar {entity_name}",
- "close_entity_name_tilt": "Fechar inclinação de {entity_name}",
- "open_entity_name": "Abrir {entity_name}",
- "open_entity_name_tilt": "Abrir inclinação de {entity_name}",
- "set_entity_name_position": "Definir a posição de {entity_name}",
- "set_entity_name_tilt_position": "Definir a posição de inclinação de {entity_name}",
- "stop_entity_name": "Parar {entity_name}",
- "entity_name_is_closing": "{entity_name} está fechando",
- "entity_name_is_opening": "{entity_name} está abrindo",
- "current_entity_name_position_is": "A posição atual de {entity_name}",
- "condition_type_is_tilt_position": "A posição de inclinação atual de {entity_name}",
- "entity_name_closing": "{entity_name} estiver fechando",
- "entity_name_opening": "{entity_name} estiver abrindo",
- "entity_name_position_changes": "houver mudança de posição de {entity_name}",
- "entity_name_tilt_position_changes": "houver mudança na posição de inclinação de {entity_name}",
- "first_button": "Primeiro botão",
- "second_button": "Segundo botão",
- "third_button": "Terceiro botão",
- "fourth_button": "Quarto botão",
- "fifth_button": "Quinto botão",
- "sixth_button": "Sexto botão",
- "subtype_double_clicked": "{subtype} clicado duas vezes",
- "subtype_continuously_pressed": "\"{subtype}\" pressionado continuamente",
- "trigger_type_button_long_release": "\"{subtype}\" lançado após longa prensa",
- "subtype_quadruple_clicked": "\"{subtype}\" quádruplo clicado",
- "subtype_quintuple_clicked": "\"{subtype}\" quíntuplo clicado",
- "subtype_pressed": "\"{subtype}\" pressionado",
- "subtype_released": "\"{subtype}\" liberados",
- "subtype_triple_clicked": "{subtype} triplo clicado",
"both_buttons": "Ambos os botões",
"bottom_buttons": "Botões inferiores",
"seventh_button": "Sétimo botão",
@@ -2900,7 +3173,7 @@
"side": "Lado 6",
"top_buttons": "Botões superiores",
"device_awakened": "Dispositivo for despertado",
- "trigger_type_remote_button_long_release": "\"{subtype}\" liberado após pressão longa",
+ "trigger_type_remote_button_long_release": "\"{subtype}\" liberado após um toque longo",
"button_rotated_subtype": "Botão girado \" {subtype} \"",
"button_rotated_fast_subtype": "Botão girado rápido \"{subtype}\"",
"button_rotation_subtype_stopped": "A rotação dos botões \"{subtype}\" parou",
@@ -2914,12 +3187,6 @@
"trigger_type_remote_rotate_from_side": "Dispositivo girado de \"lado 6\" para \"{subtype}\"",
"device_turned_clockwise": "Dispositivo girado no sentido horário",
"device_turned_counter_clockwise": "Dispositivo girado no sentido anti-horário",
- "send_a_notification": "Enviar uma notificação",
- "let_entity_name_clean": "Permitir {entity_name} limpar",
- "action_type_dock": "Permitir {entity_name} voltar à base",
- "entity_name_is_cleaning": "{entity_name} está limpando",
- "entity_name_docked": "{entity_name} está na base",
- "entity_name_started_cleaning": "{entity_name} iniciou a limpeza",
"subtype_button_down": "{subtype} botão para baixo",
"subtype_button_up": "{subtype} botão para cima",
"subtype_double_push": "{subtype} empurrão duplo",
@@ -2930,28 +3197,54 @@
"trigger_type_single_long": "{subtype} único clicado e, em seguida, clique longo",
"subtype_single_push": "{subtype} único empurrão",
"subtype_triple_push": "{subtype} impulso triplo",
- "lock_entity_name": "Bloquear {entity_name}",
- "unlock_entity_name": "Desbloquear {entity_name}",
+ "arm_entity_name_away": "Armar {entity_name} longe",
+ "arm_entity_name_home": "Armar {entity_name} casa",
+ "arm_entity_name_night": "Armar {entity_name} noite",
+ "arm_entity_name_vacation": "Armar {entity_name} férias",
+ "disarm_entity_name": "Desarmar {entity_name}",
+ "trigger_entity_name": "Disparar {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} está armado modo longe",
+ "entity_name_is_armed_home": "{entity_name} está armadado modo casa",
+ "entity_name_is_armed_night": "{entity_name} está armadado modo noite",
+ "entity_name_is_armed_vacation": "{entity_name} está armadado modo férias",
+ "entity_name_is_disarmed": "{entity_name} está desarmado",
+ "entity_name_is_triggered": "{entity_name} está acionado",
+ "entity_name_armed_away": "{entity_name} armado modo longe",
+ "entity_name_armed_home": "{entity_name} armadado modo casa",
+ "entity_name_armed_night": "{entity_name} armadado para noite",
+ "entity_name_armed_vacation": "{entity_name} armadado para férias",
+ "entity_name_disarmed": "{entity_name} desarmado",
+ "entity_name_triggered": "{entity_name} acionado",
+ "action_type_issue_all_led_effect": "Efeito de emissão para todos os LEDs",
+ "action_type_issue_individual_led_effect": "Efeito de emissão para LED individual",
+ "squawk": "Squawk",
+ "warn": "Aviso",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duração em segundos",
+ "effect_type": "Tipo de efeito",
+ "led_number": "LED number",
+ "with_face_activated": "Com a face 6 ativada",
+ "with_any_specified_face_s_activated": "Com qualquer face(s) especificada(s) ativada(s)",
+ "device_dropped": "Dispositivo caiu",
+ "device_flipped_subtype": "Dispositivo invertido \" {subtype} \"",
+ "device_knocked_subtype": "Dispositivo batido \" {subtype} \"",
+ "device_offline": "Dispositivo offline",
+ "device_rotated_subtype": "Dispositivo girado \" {subtype} \"",
+ "device_slid_subtype": "Dispositivo deslizou \" {subtype} \"",
+ "device_tilted": "Dispositivo inclinado",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" duplo clique (modo alternativo)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" pressionado continuamente (modo alternativo)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" liberado após um toque longo (modo alternativo)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quádruplo clicado (modo alternativo)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quíntuplo clicado (modo alternativo)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressionado (modo alternativo)",
+ "subtype_released_alternate_mode": "\"{subtype}\" liberado (modo alternativo)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triplo clique (modo alternativo)",
"add_to_queue": "Adicionar à fila",
"play_next": "Reproduzir próximo",
"options_replace": "Toque agora e limpe a fila",
"repeat_all": "Repetir tudo",
"repeat_one": "Repita um",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Crítico",
- "debug": "Depurar",
- "warning": "Aviso",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passiva",
- "most_recently_updated": "Atualização mais recente",
- "arithmetic_mean": "Média aritmética",
- "median": "Mediana",
- "product": "Produto",
- "statistical_range": "Intervalo estatístico",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Azul Alice",
"antique_white": "Branco antigo",
"aquamarine": "Água-marinha",
@@ -3076,52 +3369,20 @@
"wheat": "Trigo",
"white_smoke": "White smoke",
"yellow_green": "Amarelo verde",
- "sets_the_value": "Define o valor.",
- "the_target_value": "O valor alvo.",
- "command": "Comando",
- "device_description": "ID do dispositivo para o qual enviar o comando.",
- "delete_command": "Excluir comando",
- "alternative": "Alternativa",
- "command_type_description": "O tipo de comando a ser aprendido.",
- "command_type": "Tipo de comando",
- "timeout_description": "Tempo limite para que o comando seja aprendido.",
- "learn_command": "Aprender comando",
- "delay_seconds": "Atraso em segundos",
- "hold_seconds": "Segundos de espera",
- "repeats": "Repete",
- "send_command": "Enviar Comando",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Desligar uma ou mais luzes.",
- "turn_on_description": "Inicia uma nova tarefa de limpeza.",
- "set_datetime_description": "Define data e/ou hora.",
- "the_target_date": "A data prevista.",
- "datetime_description": "A data e hora de destino.",
- "date_time": "Data e Hora",
- "the_target_time": "O tempo alvo.",
- "creates_a_new_backup": "Cria um novo backup.",
- "apply_description": "Ativa uma cena com configuração.",
- "entities_description": "Lista de entidades e seu estado de destino.",
- "entities_state": "Estado das entidades",
- "transition": "Transition",
- "apply": "Aplicar",
- "creates_a_new_scene": "Cria uma nova cena.",
- "scene_id_description": "O ID da entidade da nova cena.",
- "scene_entity_id": "ID da entidade da cena",
- "snapshot_entities": "Entidades de snapshot",
- "delete_description": "Exclui uma cena criada dinamicamente.",
- "activates_a_scene": "Ativa uma cena.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Posição de destino.",
- "set_position": "Definir posição",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Crítico",
+ "debug": "Depurar",
+ "passive": "Passiva",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Atualização mais recente",
+ "arithmetic_mean": "Média aritmética",
+ "median": "Mediana",
+ "product": "Produto",
+ "statistical_range": "Intervalo estatístico",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3138,6 +3399,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transição",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3148,102 +3410,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Verificar a configuração",
- "reload_all": "Recarregar tudo",
- "reload_config_entry_description": "Recarrega a entrada de configuração especificada.",
- "config_entry_id": "ID de entrada de configuração",
- "reload_config_entry": "Recarregar entrada de configuração",
- "reload_core_config_description": "Recarrega a configuração principal da configuração YAML.",
- "reload_core_configuration": "Recarregar configuração principal",
- "reload_custom_jinja_templates": "Recarregue templates personalizados do Jinja2",
- "restarts_home_assistant": "Reinicia o Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Salvar estados persistentes",
- "set_location_description": "Atualiza a localização do Home Assistant.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude da sua localização.",
- "longitude_of_your_location": "Longitude da sua localização.",
- "set_location": "Definir localização",
- "stops_home_assistant": "Para o Home Assistant.",
- "generic_toggle": "Alternância genérica",
- "generic_turn_off": "Desligamento genérico",
- "generic_turn_on": "Ativação genérica",
- "entity_id_description": "Entidade a referenciar na entrada do logbook.",
- "entities_to_update": "Entities to update",
- "update_entity": "Atualizar entidade",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Definir modo predefinido",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Configure temperatura desejada",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Diminui o valor atual em 1 passo.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Define o valor do número",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Limpar lista de reprodução",
- "selects_the_next_track": "Seleciona a próxima faixa.",
- "pauses": "Pausa.",
- "starts_playing": "Começa a tocar.",
- "toggles_play_pause": "Alterna reproduzir/pausar.",
- "selects_the_previous_track": "Seleciona a faixa anterior.",
- "seek": "Buscar",
- "stops_playing": "Para de tocar.",
- "starts_playing_specified_media": "Inicia a reprodução da mídia especificada.",
- "announce": "Announce",
- "enqueue": "Enfileirar",
- "repeat_mode_to_set": "Modo de repetição para definir.",
- "select_sound_mode_description": "Seleciona um modo de som específico.",
- "select_sound_mode": "Selecione o modo de som",
- "select_source": "Selecione a fonte",
- "shuffle_description": "Se o modo aleatório está ativado ou não.",
- "toggle_description": "Liga/desliga o aspirador.",
- "unjoin": "Desassociar",
- "turns_down_the_volume": "Diminui o volume.",
- "turn_down_volume": "Diminuir o volume",
- "volume_mute_description": "Silencia ou não o media player.",
- "is_volume_muted_description": "Define se está ou não silenciado.",
- "mute_unmute_volume": "Silenciar/ativar volume",
- "sets_the_volume_level": "Define o nível de volume.",
- "level": "Nível",
- "set_volume": "Definir volume",
- "turns_up_the_volume": "Aumenta o volume.",
- "turn_up_volume": "Aumentar o volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "Coordenadas GPS",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Nome do host",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Ativa/desativa a sirene.",
+ "turns_the_siren_off": "Desliga a sirene.",
+ "turns_the_siren_on": "Liga a sirene.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3256,26 +3427,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
"brightness_step_value": "Brightness step value",
"brightness_step_pct_description": "Change brightness by a percentage.",
"brightness_step": "Brightness step",
- "add_event_description": "Adiciona um novo evento no calendário",
- "calendar_id_description": "O ID do calendário que deseja",
- "calendar_id": "ID do calendário",
- "description_description": "A descrição do evento. Opcional.",
- "summary_description": "Atua como o título do evento.",
- "create_event_description": "Adds a new calendar event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Aplicar filtro",
- "days_to_keep": "Dias para manter",
- "repack": "Reembalar",
- "purge": "Limpar",
- "domains_to_remove": "Domínios para remover",
- "entity_globs_to_remove": "Globos de entidade a serem removidos",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Limpar entidades",
+ "toggles_the_helper_on_off": "Ativa/desativa o ajudante",
+ "turns_off_the_helper": "Desliga o ajudante.",
+ "turns_on_the_helper": "Liga o ajudante.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Cria um novo backup.",
+ "sets_the_value": "Define o valor.",
+ "enter_your_text": "Digite seu texto.",
+ "set_value": "Definir valor",
+ "clear_lock_user_code_description": "Limpa um código de usuário de uma fechadura.",
+ "code_slot_description": "Slot de código para definir o código.",
+ "code_slot": "Slot de código",
+ "clear_lock_user": "Limpar bloqueio de usuário",
+ "disable_lock_user_code_description": "Desativa um código de usuário em uma fechadura.",
+ "code_slot_to_disable": "Slot de código para desativar.",
+ "disable_lock_user": "Desativar bloqueio de usuário",
+ "enable_lock_user_code_description": "Habilita um código de usuário em uma fechadura.",
+ "code_slot_to_enable": "Slot de código para habilitar.",
+ "enable_lock_user": "Ativar bloqueio de usuário",
+ "args_description": "Argumentos a serem passados para o comando.",
+ "args": "Args",
+ "cluster_id_description": "Cluster ZCL para recuperar atributos.",
+ "cluster_id": "ID do cluster",
+ "type_of_the_cluster": "Tipo do cluster.",
+ "cluster_type": "Tipo de cluster",
+ "command_description": "Comando(s) para enviar ao Google Assistente.",
+ "command": "Comando",
+ "command_type_description": "O tipo de comando a ser aprendido.",
+ "command_type": "Tipo de comando",
+ "endpoint_id_description": "ID do endpoint para o cluster.",
+ "endpoint_id": "ID do endpoint",
+ "ieee_description": "Endereço IEEE para o dispositivo.",
+ "ieee": "IEEE",
+ "manufacturer": "Fabricante",
+ "params_description": "Parâmetros a serem passados para o comando.",
+ "params": "Parâmetros",
+ "issue_zigbee_cluster_command": "Emita o comando zigbee cluster",
+ "group_description": "Endereço hexadecimal do grupo.",
+ "issue_zigbee_group_command": "Emita o comando zigbee group",
+ "permit_description": "Permite que os nós se juntem à rede Zigbee.",
+ "time_to_permit_joins": "Hora de permitir junções.",
+ "install_code": "Código de instalação",
+ "qr_code": "Código QR",
+ "source_ieee": "Fonte IEEE",
+ "permit": "Permitir",
+ "reconfigure_device": "Reconfigurar o dispositivo",
+ "remove_description": "Remove um nó da rede Zigbee.",
+ "set_lock_user_code_description": "Define um código de usuário em uma fechadura.",
+ "code_to_set": "Código a definir.",
+ "set_lock_user_code": "Definir código de usuário de bloqueio",
+ "attribute_description": "ID do atributo a ser definido.",
+ "value_description": "O valor inteiro a ser definido.",
+ "set_zigbee_cluster_attribute": "Definir atributo de cluster zigbee",
+ "level": "Nível",
+ "strobe": "Estroboscópio",
+ "warning_device_squawk": "Dispositivo de alerta squawk",
+ "duty_cycle": "Ciclo de trabalho",
+ "intensity": "Intensidade",
+ "warning_device_starts_alert": "O dispositivo de aviso inicia o alerta",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Registra todas as tarefas assíncronas atuais.",
"log_current_asyncio_tasks": "Registrar tarefas assíncronas atuais",
@@ -3301,27 +3516,306 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Define o nível de log padrão para integrações.",
+ "level_description": "Nível de gravidade padrão para todas as integrações.",
+ "set_default_level": "Definir nível padrão",
+ "set_level": "Definir nível",
+ "stops_a_running_script": "Interrompe um script em execução.",
+ "clear_skipped_update": "Limpar atualização ignorada",
+ "install_update": "Instalar atualização",
+ "skip_description": "Marca a atualização disponível atualmente para ser pulada.",
+ "skip_update": "Pular atualização",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Diminuir a velocidade",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Aumentar a velocidade",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Definir direção",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Velocidade do ventilador.",
+ "percentage": "Percentagem",
+ "set_speed": "Definir velocidade",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Modo predefinido.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Desliga o ventilador.",
+ "turns_fan_on": "Liga o ventilador.",
+ "set_datetime_description": "Define data e/ou hora.",
+ "the_target_date": "A data prevista.",
+ "datetime_description": "A data e hora de destino.",
+ "date_time": "Data e Hora",
+ "the_target_time": "O tempo alvo.",
+ "log_description": "Cria uma entrada personalizada no logbook.",
+ "entity_id_description": "Media players para reproduzir a mensagem.",
+ "message_description": "Corpo da mensagem da notificação.",
+ "log": "Log",
+ "request_sync_description": "Envia um comando request_sync ao Google.",
+ "agent_user_id": "ID do usuário do agente",
+ "request_sync": "Solicitar sincronização",
+ "apply_description": "Ativa uma cena com configuração.",
+ "entities_description": "Lista de entidades e seu estado de destino.",
+ "entities_state": "Estado das entidades",
+ "apply": "Aplicar",
+ "creates_a_new_scene": "Cria uma nova cena.",
+ "entity_states": "Entity states",
+ "scene_id_description": "O ID da entidade da nova cena.",
+ "scene_entity_id": "ID da entidade da cena",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Exclui uma cena criada dinamicamente.",
+ "activates_a_scene": "Ativa uma cena.",
"reload_themes_description": "Recarrega os temas da configuração YAML",
"reload_themes": "Reload themes",
"name_of_a_theme": "Nome de um tema",
"set_the_default_theme": "Definir o tema padrão",
+ "decrement_description": "Diminui o valor atual em 1 passo.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Define o valor do número",
+ "check_configuration": "Verificar a configuração",
+ "reload_all": "Recarregar tudo",
+ "reload_config_entry_description": "Recarrega a entrada de configuração especificada.",
+ "config_entry_id": "ID de entrada de configuração",
+ "reload_config_entry": "Recarregar entrada de configuração",
+ "reload_core_config_description": "Recarrega a configuração principal da configuração YAML.",
+ "reload_core_configuration": "Recarregar configuração principal",
+ "reload_custom_jinja_templates": "Recarregue templates personalizados do Jinja2",
+ "restarts_home_assistant": "Reinicia o Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Salvar estados persistentes",
+ "set_location_description": "Atualiza a localização do Home Assistant.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude da sua localização.",
+ "longitude_of_your_location": "Longitude da sua localização.",
+ "set_location": "Definir localização",
+ "stops_home_assistant": "Para o Home Assistant.",
+ "generic_toggle": "Alternância genérica",
+ "generic_turn_off": "Desligamento genérico",
+ "generic_turn_on": "Ativação genérica",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Atualizar entidade",
+ "notify_description": "Envia uma mensagem de notificação para destinos selecionados.",
+ "data": "Dados",
+ "title_for_your_notification": "Título para sua notificação.",
+ "title_of_the_notification": "Título da notificação.",
+ "send_a_persistent_notification": "Enviar uma notificação persistente",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Título opcional da notificação.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Tópico para ouvir.",
+ "topic": "Tópico",
+ "export": "Exportar",
+ "publish_description": "Publica uma mensagem em um tópico MQTT.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "A carga a ser publicada.",
+ "payload": "Carga útil",
+ "payload_template": "Modelo de carga útil",
+ "qos": "QoS",
+ "retain": "Reter",
+ "topic_to_publish_to": "Tópico para publicar.",
+ "publish": "Publicar",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Chave",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "Coordenadas GPS",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Nome do host",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "ID do dispositivo para o qual enviar o comando.",
+ "delete_command": "Excluir comando",
+ "alternative": "Alternativa",
+ "timeout_description": "Tempo limite para que o comando seja aprendido.",
+ "learn_command": "Aprender comando",
+ "delay_seconds": "Atraso em segundos",
+ "hold_seconds": "Segundos de espera",
+ "repeats": "Repete",
+ "send_command": "Enviar Comando",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Inicia uma nova tarefa de limpeza.",
+ "get_weather_forecast": "Obter a previsão do tempo.",
+ "type_description": "Tipo de previsão: diária, de hora em hora ou duas vezes ao dia.",
+ "forecast_type": "Tipo de previsão",
+ "get_forecast": "Obter previsão",
+ "get_weather_forecasts": "Obter previsões do tempo.",
+ "get_forecasts": "Obter previsões",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "ID de notificação",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Localiza o robô aspirador.",
+ "pauses_the_cleaning_task": "Pausa a tarefa de limpeza.",
+ "send_command_description": "Envia um comando para o aspirador.",
+ "set_fan_speed": "Definir velocidade do ventilador",
+ "start_description": "Inicia ou retoma a tarefa de limpeza.",
+ "start_pause_description": "Inicia, pausa ou retoma a tarefa de limpeza.",
+ "stop_description": "Interrompe a tarefa de limpeza atual.",
+ "toggle_description": "Ativa/desativa um media player.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "Velocidade de movimento PTZ.",
+ "ptz_move": "Movimento PTZ",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Formatar",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Nome do arquivo",
+ "lookback": "Retrospectiva",
+ "take_snapshot": "Tire uma foto rápida",
+ "full_path_to_filename": "Full path to filename.",
+ "turns_off_the_camera": "Desliga a câmera.",
+ "turns_on_the_camera": "Liga a câmera.",
+ "reload_resources_description": "Recarrega os recursos do painel da configuração YAML.",
"clear_tts_cache": "Limpar o cache do TTS",
"cache": "Cache",
"language_description": "Idioma do texto. O padrão é o idioma do servidor.",
"options_description": "Um dicionário contendo opções específicas de integração.",
"say_a_tts_message": "Diga uma mensagem TTS",
- "media_player_entity_id_description": "Media players para reproduzir a mensagem.",
"media_player_entity": "Entidade do media player",
"speak": "Falar",
- "reload_resources_description": "Recarrega os recursos do painel da configuração YAML.",
- "toggles_the_siren_on_off": "Ativa/desativa a sirene.",
- "turns_the_siren_off": "Desliga a sirene.",
- "turns_the_siren_on": "Liga a sirene.",
- "toggles_the_helper_on_off": "Ativa/desativa o ajudante",
- "turns_off_the_helper": "Desliga o ajudante.",
- "turns_on_the_helper": "Liga o ajudante.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Enviar comando de texto",
+ "the_target_value": "O valor alvo.",
+ "removes_a_group": "Remove um grupo.",
+ "object_id": "ID do objeto",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Adicionar entidades",
+ "icon_description": "Nome do ícone do grupo.",
+ "name_of_the_group": "Nome do grupo.",
+ "remove_entities": "Remover entidades",
+ "locks_a_lock": "Bloqueia uma fechadura.",
+ "code_description": "Código para armar o alarme.",
+ "opens_a_lock": "Abre uma fechadura.",
+ "unlocks_a_lock": "Desbloqueia a fechadura.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Anunciar",
+ "reloads_the_automation_configuration": "Recarrega a configuração de automação.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Gatilho",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Escrever entrada de log.",
+ "log_level": "Nível de log.",
+ "message_to_log": "Mensagem para registro.",
+ "write": "Escrever",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Inicia uma conversa a partir de um texto transcrito.",
+ "agent": "Agente",
+ "conversation_id": "ID da conversa",
+ "transcribed_text_input": "Entrada de texto transcrito.",
+ "process": "Processo",
+ "reloads_the_intent_configuration": "Recarrega a configuração de intenção.",
+ "conversation_agent_to_reload": "Agente conversacional para recarregar.",
+ "closes_a_cover": "Fecha uma cortina.",
+ "close_cover_tilt_description": "Inclina uma cortina para fechar.",
+ "close_tilt": "Inclinação fechada",
+ "opens_a_cover": "Abre uma cortina.",
+ "tilts_a_cover_open": "Inclina uma cortina aberta.",
+ "open_tilt": "Inclinação aberta",
+ "set_cover_position_description": "Move uma cortina para uma posição específica.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Posição de inclinação alvo.",
+ "set_tilt_position": "Definir posição de inclinação",
+ "stops_the_cover_movement": "Para o movimento da cortina.",
+ "stop_cover_tilt_description": "Interrompe o movimento de inclinação da cortina.",
+ "stop_tilt": "Parar inclinação",
+ "toggles_a_cover_open_closed": "Alterna uma cortina aberta/fechada.",
+ "toggle_cover_tilt_description": "Alterna a inclinação da cortina aberta/fechada.",
+ "toggle_tilt": "Alternar inclinação",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Configure temperatura desejada",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Aplicar filtro",
+ "days_to_keep": "Dias para manter",
+ "repack": "Reembalar",
+ "purge": "Limpar",
+ "domains_to_remove": "Domínios para remover",
+ "entity_globs_to_remove": "Globos de entidade a serem removidos",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Limpar entidades",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Limpar lista de reprodução",
+ "selects_the_next_track": "Seleciona a próxima faixa.",
+ "pauses": "Pausa.",
+ "starts_playing": "Começa a tocar.",
+ "toggles_play_pause": "Alterna reproduzir/pausar.",
+ "selects_the_previous_track": "Seleciona a faixa anterior.",
+ "seek": "Buscar",
+ "stops_playing": "Para de tocar.",
+ "starts_playing_specified_media": "Inicia a reprodução da mídia especificada.",
+ "enqueue": "Enfileirar",
+ "repeat_mode_to_set": "Modo de repetição para definir.",
+ "select_sound_mode_description": "Seleciona um modo de som específico.",
+ "select_sound_mode": "Selecione o modo de som",
+ "select_source": "Selecione a fonte",
+ "shuffle_description": "Se o modo aleatório está ativado ou não.",
+ "unjoin": "Desassociar",
+ "turns_down_the_volume": "Diminui o volume.",
+ "turn_down_volume": "Diminuir o volume",
+ "volume_mute_description": "Silencia ou não o media player.",
+ "is_volume_muted_description": "Define se está ou não silenciado.",
+ "mute_unmute_volume": "Silenciar/ativar volume",
+ "sets_the_volume_level": "Define o nível de volume.",
+ "set_volume": "Definir volume",
+ "turns_up_the_volume": "Aumenta o volume.",
+ "turn_up_volume": "Aumentar o volume",
"restarts_an_add_on": "Reinicia um add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3360,40 +3854,6 @@
"restore_partial_description": "Restaura a partir de um backup parcial.",
"restores_home_assistant": "Restaura o Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Diminuir a velocidade",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Aumentar a velocidade",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Definir direção",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Velocidade do ventilador.",
- "percentage": "Percentagem",
- "set_speed": "Definir velocidade",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Modo predefinido.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Desliga o ventilador.",
- "turns_fan_on": "Liga o ventilador.",
- "get_weather_forecast": "Obter a previsão do tempo.",
- "type_description": "Tipo de previsão: diária, de hora em hora ou duas vezes ao dia.",
- "forecast_type": "Tipo de previsão",
- "get_forecast": "Obter previsão",
- "get_weather_forecasts": "Obter previsões do tempo.",
- "get_forecasts": "Obter previsões",
- "clear_skipped_update": "Limpar atualização ignorada",
- "install_update": "Instalar atualização",
- "skip_description": "Marca a atualização disponível atualmente para ser pulada.",
- "skip_update": "Pular atualização",
- "code_description": "Senha usada para desbloquear a fechadura.",
- "arm_with_custom_bypass": "Armar com bypass personalizado",
- "alarm_arm_vacation_description": "Define o alarme para: _armado para férias_.",
- "disarms_the_alarm": "Desarma o alarme.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Gatilho",
"selects_the_first_option": "Seleciona a primeira opção.",
"first": "Primeiro",
"selects_the_last_option": "Seleciona a última opção.",
@@ -3401,76 +3861,16 @@
"selects_an_option": "Seleciona uma opção.",
"option_to_be_selected": "Opção a ser selecionada.",
"selects_the_previous_option": "Seleciona a opção anterior.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Formatar",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Nome do arquivo",
- "lookback": "Retrospectiva",
- "take_snapshot": "Tire uma foto rápida",
- "full_path_to_filename": "Full path to filename.",
- "turns_off_the_camera": "Desliga a câmera.",
- "turns_on_the_camera": "Liga a câmera.",
- "press_the_button_entity": "Press the button entity.",
+ "create_event_description": "Adds a new calendar event.",
+ "location_description": "A localização do evento. Opcional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Selecione a próxima opção.",
- "sets_the_options": "Define as opções.",
- "list_of_options": "Lista de opções.",
- "set_options": "Definir opções",
- "closes_a_cover": "Fecha uma cortina.",
- "close_cover_tilt_description": "Inclina uma cortina para fechar.",
- "close_tilt": "Inclinação fechada",
- "opens_a_cover": "Abre uma cortina.",
- "tilts_a_cover_open": "Inclina uma cortina aberta.",
- "open_tilt": "Inclinação aberta",
- "set_cover_position_description": "Move uma cortina para uma posição específica.",
- "target_tilt_positition": "Posição de inclinação alvo.",
- "set_tilt_position": "Definir posição de inclinação",
- "stops_the_cover_movement": "Para o movimento da cortina.",
- "stop_cover_tilt_description": "Interrompe o movimento de inclinação da cortina.",
- "stop_tilt": "Parar inclinação",
- "toggles_a_cover_open_closed": "Alterna uma cortina aberta/fechada.",
- "toggle_cover_tilt_description": "Alterna a inclinação da cortina aberta/fechada.",
- "toggle_tilt": "Alternar inclinação",
- "request_sync_description": "Envia um comando request_sync ao Google.",
- "agent_user_id": "ID do usuário do agente",
- "request_sync": "Solicitar sincronização",
- "log_description": "Cria uma entrada personalizada no logbook.",
- "message_description": "Corpo da mensagem da notificação.",
- "log": "Log",
- "enter_your_text": "Digite seu texto.",
- "set_value": "Definir valor",
- "topic_to_listen_to": "Tópico para ouvir.",
- "topic": "Tópico",
- "export": "Exportar",
- "publish_description": "Publica uma mensagem em um tópico MQTT.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "A carga a ser publicada.",
- "payload": "Carga útil",
- "payload_template": "Modelo de carga útil",
- "qos": "QoS",
- "retain": "Reter",
- "topic_to_publish_to": "Tópico para publicar.",
- "publish": "Publicar",
- "reloads_the_automation_configuration": "Recarrega a configuração de automação.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Define o nível de log padrão para integrações.",
- "level_description": "Nível de gravidade padrão para todas as integrações.",
- "set_default_level": "Definir nível padrão",
- "set_level": "Definir nível",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3478,83 +3878,33 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Localiza o robô aspirador.",
- "pauses_the_cleaning_task": "Pausa a tarefa de limpeza.",
- "send_command_description": "Envia um comando para o aspirador.",
- "command_description": "Comando(s) para enviar ao Google Assistente.",
- "parameters": "Parâmetros",
- "set_fan_speed": "Definir velocidade do ventilador",
- "start_description": "Inicia ou retoma a tarefa de limpeza.",
- "start_pause_description": "Inicia, pausa ou retoma a tarefa de limpeza.",
- "stop_description": "Interrompe a tarefa de limpeza atual.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Liga/desliga um interruptor.",
- "turns_a_switch_off": "Desliga um interruptor.",
- "turns_a_switch_on": "Liga um interruptor.",
+ "add_event_description": "Adiciona um novo evento no calendário",
+ "calendar_id_description": "O ID do calendário que deseja",
+ "calendar_id": "ID do calendário",
+ "description_description": "A descrição do evento. Opcional.",
+ "summary_description": "Atua como o título do evento.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Envia uma mensagem de notificação para destinos selecionados.",
- "data": "Dados",
- "title_for_your_notification": "Título para sua notificação.",
- "title_of_the_notification": "Título da notificação.",
- "send_a_persistent_notification": "Enviar uma notificação persistente",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Título opcional da notificação.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Inicia uma conversa a partir de um texto transcrito.",
- "agent": "Agente",
- "conversation_id": "ID da conversa",
- "transcribed_text_input": "Entrada de texto transcrito.",
- "process": "Processo",
- "reloads_the_intent_configuration": "Recarrega a configuração de intenção.",
- "conversation_agent_to_reload": "Agente conversacional para recarregar.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "Velocidade de movimento PTZ.",
- "ptz_move": "Movimento PTZ",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Enviar comando de texto",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Escrever entrada de log.",
- "log_level": "Nível de log.",
- "message_to_log": "Mensagem para registro.",
- "write": "Escrever",
- "locks_a_lock": "Bloqueia uma fechadura.",
- "opens_a_lock": "Abre uma fechadura.",
- "unlocks_a_lock": "Desbloqueia a fechadura.",
- "removes_a_group": "Remove um grupo.",
- "object_id": "ID do objeto",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Adicionar entidades",
- "icon_description": "Nome do ícone do grupo.",
- "name_of_the_group": "Nome do grupo.",
- "remove_entities": "Remover entidades",
- "stops_a_running_script": "Interrompe um script em execução.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "ID de notificação",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Chave",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Selecione a próxima opção.",
+ "sets_the_options": "Define as opções.",
+ "list_of_options": "Lista de opções.",
+ "set_options": "Definir opções",
+ "arm_with_custom_bypass": "Armar com bypass personalizado",
+ "alarm_arm_vacation_description": "Define o alarme para: _armado para férias_.",
+ "disarms_the_alarm": "Desarma o alarme.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Liga/desliga um interruptor.",
+ "turns_a_switch_off": "Desliga um interruptor.",
+ "turns_a_switch_on": "Liga um interruptor."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/pt/pt.json b/packages/core/src/hooks/useLocale/locales/pt/pt.json
index eeca630a..a7ce713b 100644
--- a/packages/core/src/hooks/useLocale/locales/pt/pt.json
+++ b/packages/core/src/hooks/useLocale/locales/pt/pt.json
@@ -16,7 +16,7 @@
"unavailable": "Indisponível",
"unk": "Desc",
"unavai": "Indisp",
- "error": "Error",
+ "error": "Erro",
"entity_not_found": "Entidade não encontrada",
"armed": "Armado",
"disarm": "Desarmar",
@@ -37,7 +37,7 @@
"enable": "Ligar",
"turn_off": "Desligar",
"toggle": "Alternar",
- "code": "Code",
+ "code": "Código",
"clear": "Limpar",
"arm": "Armar",
"arm_home": "Armar em casa",
@@ -64,26 +64,26 @@
"name_cooling": "{name} a arrefecer",
"high": "Alto",
"low": "Baixa",
- "mode": "Mode",
+ "mode": "Modo",
"preset": "Pré-definido",
"action_to_target": "{action} para o alvo",
"target": "Alvo",
"humidity_target": "Humidade alvo",
- "increment": "Increment",
- "decrement": "Decrement",
- "reset": "Reset",
- "position": "Position",
- "tilt_position": "Tilt position",
+ "increment": "Incrementar",
+ "decrement": "Diminuir",
+ "reset": "Repor",
+ "position": "Posição",
+ "tilt_position": "Posição de Inclinação",
"open": "Abrir",
"close": "Fechar",
"open_cover_tilt": "Abrir inclinação da cobertura",
"close_cover_tilt": "Fechar inclinação da cobertura",
"stop": "Parar",
- "preset_mode": "Preset mode",
- "oscillate": "Oscillate",
- "direction": "Direction",
- "forward": "Forward",
- "reverse": "Reverse",
+ "preset_mode": "Modo pré-definido",
+ "oscillate": "Oscilar",
+ "direction": "Direção",
+ "forward": "Avançar",
+ "flip": "Inverter",
"medium": "Médio",
"target_humidity": "Humidade pretendida.",
"state": "Estado",
@@ -93,16 +93,16 @@
"name_drying": "{name} a desumidificar",
"name_on": "{name} ligado",
"resume_mowing": "Retomar corte",
- "start_mowing": "Start mowing",
+ "start_mowing": "Começar a cortar a relva",
"pause": "Pausar",
- "return_to_dock": "Return to dock",
+ "return_to_dock": "Regressar à doca",
"brightness": "Brilho",
"color_temperature": "Temperatura da cor",
"cold_white_brightness": "Brilho branco frio",
"warm_white_brightness": "Brilho branco quente",
"effect": "Efeito",
- "lock": "Lock",
- "unlock": "Unlock",
+ "lock": "Trancar",
+ "unlock": "Destrancar",
"open_door": "Abrir porta",
"really_open": "Abrir mesmo?",
"done": "Concluído",
@@ -110,7 +110,7 @@
"source": "Origem",
"sound_mode": "Modo de som",
"browse_media": "Procurar Conteúdo",
- "play": "Play",
+ "play": "Reproduzir",
"play_pause": "Reproduzir/Pausa",
"next": "Seguinte",
"previous": "Anterior",
@@ -119,7 +119,7 @@
"volume_mute": "Desativar som",
"volume_unmute": "Ativar som",
"repeat_mode": "Modo repetir",
- "shuffle": "Shuffle",
+ "shuffle": "Baralhar",
"text_to_speak": "Texto para fala",
"nothing_playing": "Nada a reproduzir",
"dismiss": "Descartar",
@@ -139,7 +139,7 @@
"up_to_date": "Atualizado",
"empty_value": "(campo vazio)",
"start": "Iniciar",
- "finish": "Finish",
+ "finish": "Terminar",
"resume_cleaning": "Retomar limpeza",
"start_cleaning": "Iniciar limpeza",
"open_valve": "Abrir válvula",
@@ -174,9 +174,9 @@
"forecast_daily": "Previsão diária",
"forecast_hourly": "Previsão de hora em hora",
"forecast_twice_daily": "Previsão duas vezes ao dia",
- "daily": "Daily",
- "hourly": "Hourly",
- "twice_daily": "Twice daily",
+ "daily": "Diariamente",
+ "hourly": "Hora a hora",
+ "twice_daily": "Duas vezes por dia",
"continue": "Continuar",
"loading": "A carregar…",
"update": "Atualizar",
@@ -220,8 +220,8 @@
"media_browse_not_supported": "O leitor de multimédia não suporta a procura de conteúdo.",
"pick_media": "Escolha o conteúdo",
"manually_enter_media_id": "Introduzir manualmente um ID de Conteúdo",
- "media_content_id": "Media content ID",
- "media_content_type": "Media content type",
+ "media_content_id": "ID do conteúdo multimédia",
+ "media_content_type": "Tipo de Conteúdo",
"upload_failed": "O carregamento falhou",
"unknown_file": "Ficheiro desconhecido",
"image": "Imagem",
@@ -241,7 +241,7 @@
"date": "Date",
"date_and_time": "Data e hora",
"duration": "Duração",
- "entity": "Entity",
+ "entity": "Entidade",
"floor": "Piso",
"icon": "Ícone",
"location": "Localização",
@@ -251,12 +251,13 @@
"select": "Selecionar",
"template": "Template",
"text": "Texto",
- "theme": "Theme",
+ "theme": "Tema",
"time": "Hora",
"manual_entry": "Entrada manual",
"learn_more_about_templating": "Aprender mais sobre criação de templates.",
"show_password": "Mostrar palavra-passe",
"hide_password": "Ocultar palavra-passe",
+ "ui_components_selectors_background_yaml_info": "A imagem de fundo é definida através do editor yaml.",
"no_logbook_events_found": "Não foram encontrados eventos no diário de bordo.",
"triggered_by": "espoletado por",
"triggered_by_automation": "pela automatização",
@@ -458,7 +459,7 @@
"white": "Branco",
"ui_components_color_picker_default_color": "Cor por defeito (estado)",
"start_date": "Data de início",
- "end_date": "Data de término",
+ "end_date": "Data de fim",
"select_time_period": "Selecione o período de tempo",
"today": "Hoje",
"yesterday": "Ontem",
@@ -489,7 +490,7 @@
"max": "Máx",
"mean": "Média",
"sum": "Soma",
- "change": "Change",
+ "change": "Alterar",
"ui_components_service_picker_service": "Serviço",
"this_field_is_required": "Este campo é obrigatório",
"targets": "Alvos",
@@ -523,7 +524,7 @@
"set_as_default_options": "Definir como opções por defeito",
"tts_faild_to_store_defaults": "Ocorreu um erro ao guardar os valores por defeito: {error}",
"pick": "Escolher",
- "play_media": "Play media",
+ "play_media": "Reproduzir multimédia",
"no_items": "Sem itens",
"choose_player": "Escolha o leitor",
"web_browser": "Navegador web",
@@ -561,7 +562,7 @@
"url": "URL",
"video": "Vídeo",
"media_browser_media_player_unavailable": "O leitor de multimédia selecionado não está disponível.",
- "auto": "Automático",
+ "auto": "Auto",
"grid": "Grelha",
"list": "Lista",
"task_name": "Nome da tarefa",
@@ -576,7 +577,7 @@
"my_calendars": "Os meus calendários",
"create_calendar": "Criar Calendário",
"calendar_event_retrieval_error": "Não foi possível obter eventos para os calendários:",
- "add_event": "Add event",
+ "add_event": "Adicionar evento",
"delete_event": "Eliminar evento",
"edit_event": "Editar evento",
"save_event": "Guardar evento",
@@ -622,9 +623,9 @@
"on_the": "no",
"or": "Ou",
"at": "em",
- "last": "Last",
+ "last": "Último",
"times": "vezes",
- "summary": "Resumo",
+ "summary": "Sumário",
"attributes": "Atributos",
"select_camera": "Selecionar câmara",
"qr_scanner_not_supported": "O seu navegador não suporta leitura de códigos QR.",
@@ -635,15 +636,16 @@
"yaml_editor_error": "Erro ao interpretar o YAML: {reason}",
"line_line_column_column": "linha: {line}, coluna: {column}",
"last_changed": "Última modificação",
- "last_updated": "Last updated",
- "remaining_time": "Tempo restante",
+ "last_updated": "Última atualização",
+ "time_left": "Tempo restante",
"install_status": "Estado da instalação",
+ "ui_components_multi_textfield_add_item": "Adicionar {item}",
"safe_mode": "Modo de segurança",
"all_yaml_configuration": "Toda a configuração YAML",
"domain": "Domínio",
"location_customizations": "Localização e personalizações",
"reload_group": "Grupos, grupos de entidades e serviços de notificação",
- "automation": "Automação",
+ "automations": "Automação",
"scripts": "Scripts",
"scenes": "Cenários",
"people": "Pessoas",
@@ -740,10 +742,11 @@
"ui_dialogs_more_info_control_update_create_backup": "Criar cópia de segurança antes da atualização",
"update_instructions": "Instruções de atualização",
"current_activity": "Atividade atual",
+ "status": "Estado 2",
"vacuum_cleaner_commands": "Comandos do aspirador:",
- "fan_speed": "Fan speed",
- "clean_spot": "Clean spot",
- "locate": "Locate",
+ "fan_speed": "Velocidade da ventoinha",
+ "clean_spot": "Ponto limpo",
+ "locate": "Localizar",
"return_home": "Regressar à base",
"start_pause": "Iniciar/Pausa",
"person_create_zone": "Criar zona a partir da localização atual",
@@ -767,14 +770,14 @@
"set_reverse_direction": "Para a frente",
"turn_on_oscillating": "Ligar Oscilação",
"turn_off_oscillating": "Desligar oscilação",
- "activity": "Activity",
+ "activity": "Atividade",
"lawn_mower_commands": "Comandos do corta-relva",
"download_snapshot": "Descarregar snapshot",
"control": "Controlo",
"default_code": "Código padrão",
"editor_default_code_error": "O código não corresponde a formato de código",
"entity_id": "ID da entidade",
- "unit_of_measurement": "Unidade de medida",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "Unidade de precipitação",
"display_precision": "Mostrar precisão",
"default_value": "Predefinição ({value})",
@@ -795,7 +798,7 @@
"cold": "Frio",
"connectivity": "Conectividade",
"gas": "Gás",
- "heat": "Aquecimento",
+ "heat": "Aquecer",
"light": "Luz",
"motion": "Movimento",
"occupancy": "Ocupação",
@@ -835,7 +838,6 @@
"no_orientation_transform": "Sem transformação de orientação",
"mirror": "Espelhar",
"rotate": "Rodar 180",
- "flip": "Inverter",
"rotate_left_and_flip": "Rodar para a esquerda e inverter",
"rotate_left": "Rodar para a esquerda",
"rotate_right_and_flip": "Rodar para a direita e inverter",
@@ -855,7 +857,7 @@
"restart_home_assistant": "Reiniciar o Home Assistant?",
"advanced_options": "Opções avançadas",
"quick_reload": "Recarregar Configuração",
- "reload_description": "Recarrega todos os scripts disponíveis.",
+ "reload_description": "Recarrega os temporizadores a partir da configuração YAML.",
"reloading_configuration": "A recarregar a configuração",
"failed_to_reload_configuration": "Ocorreu um erro ao recarregar a configuração",
"restart_description": "Irá interromper todas as automatizações e scripts",
@@ -885,8 +887,8 @@
"password": "Palavra-passe",
"regex_pattern": "Padrão Regex",
"used_for_client_side_validation": "Usado para validação do lado do cliente",
- "minimum_value": "Valor mínimo",
- "maximum_value": "Valor máximo",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Campo de entrada",
"slider": "Controlo deslizante",
"step_size": "Tamanho do passo",
@@ -905,7 +907,7 @@
"system_options_for_integration": "Opções de sistema para {integration}",
"enable_newly_added_entities": "Ativar entidades novas quando adicionadas.",
"enable_polling_for_changes": "Ativar procura por alterações",
- "reconfiguring_device": "Reconfigurar dispositivo",
+ "reconfigure_device": "Reconfigurar dispositivo",
"configuring": "A configurar",
"start_reconfiguration": "Iniciar reconfiguração",
"device_reconfiguration_complete": "Reconfiguração do dispositivo concluída.",
@@ -931,7 +933,7 @@
"ui_dialogs_zha_device_info_confirmations_remove": "Tem a certeza de que pretende remover este dispositivo?",
"quirk": "Peculiaridade",
"last_seen": "Visto pela última vez",
- "power_source": "Fonte de energia",
+ "power_source": "Fonte de alimentação",
"change_device_name": "Alterar o nome do dispositivo",
"device_debug_info": "Informação de depuração de {device}",
"mqtt_device_debug_info_deserialize": "Tentar analisar mensagens MQTT como JSON",
@@ -964,7 +966,7 @@
"join_the_beta_channel": "Aderir ao canal beta",
"join_beta_channel_release_items": "Inclui versões beta para:",
"view_documentation": "Ver documentação",
- "join": "Join",
+ "join": "Juntar",
"enter_code": "Inserir Código",
"try_text_to_speech": "Experimente a conversão de texto em voz",
"tts_try_message_example": "Olá. Como posso ajudar?",
@@ -1024,7 +1026,7 @@
"log_in": "Entrar",
"notification_drawer_click_to_configure": "Clique no botão para configurar {entity}",
"no_notifications": "Sem notificações",
- "notifications": "Notifications",
+ "notifications": "Notificações",
"dismiss_all": "Descartar todas",
"notification_toast_action_failed": "Falha ao executar a ação {service}.",
"connection_lost_reconnecting": "Ligação perdida. A ligar de novo…",
@@ -1202,7 +1204,7 @@
"ui_panel_lovelace_editor_edit_view_type_warning_others": "Não pode alterar a vista para outro tipo porque a migração ainda não é suportada. Comece do início com uma nova vista, se pretender utilizar outro tipo de vista",
"card_configuration": "Configuração do cartão",
"type_card_configuration": "Configuração do cartão {type}",
- "edit_card_pick_card": "Que cartão gostaria de adicionar?",
+ "add_to_dashboard": "Adicionar ao painel",
"toggle_editor": "Alternar editor",
"you_have_unsaved_changes": "Existem alterações não guardadas",
"edit_card_confirm_cancel": "Tem a certeza de que pretende cancelar?",
@@ -1230,14 +1232,13 @@
"edit_badge_pick_badge": "Qual ícone de estado você gostaria de adicionar?",
"add_badge": "Adicionar ícone de estado",
"suggest_card_header": "Criámos uma sugestão para si.",
- "add_to_dashboard": "Adicionar ao painel",
"move_card_strategy_error_title": "Impossível mover o cartão",
"card_moved_successfully": "Cartão movido com sucesso",
"error_while_moving_card": "Erro ao mover cartão",
"ui_panel_lovelace_editor_move_card_error_text_section": "Ainda não é possível mover um cartão para uma vista de secção. Em vez disso, utilize copiar/cortar/colar.",
"choose_a_view": "Escolha uma vista",
"dashboard": "Painel",
- "view": "Ver",
+ "see": "Ver",
"no_config_found": "Nenhuma configuração encontrada.",
"select_view_no_views": "Sem vistas neste painel.",
"strategy": "estratégia",
@@ -1381,8 +1382,8 @@
"content": "Conteúdo",
"geolocation_sources": "Fontes de geolocalização",
"no_geolocation_sources_available": "Não existem fontes de geolocalização disponíveis",
- "theme_mode": "Theme mode.",
- "dark": "Dark",
+ "theme_mode": "Modo do tema.",
+ "dark": "Escuro",
"default_zoom": "Zoom predefinido",
"ui_panel_lovelace_editor_card_map_dark_mode": "Modo escuro?",
"markdown": "Escrita Livre",
@@ -1406,6 +1407,12 @@
"graph_type": "Tipo de gráfico",
"to_do_list": "Lista de tarefas",
"hide_completed_items": "Ocultar itens completados",
+ "ui_panel_lovelace_editor_card_todo_list_display_order": "Ordem de exibição",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc": "Alfabética (A-Z)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_desc": "Alfabética (Z-A)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc": "Data de vencimento (mais cedo primeiro)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc": "Data de vencimento (mais recente primeiro)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_none": "Por defeito",
"thermostat": "Termóstato",
"thermostat_show_current_as_primary": "Mostrar a temperatura atual como informação principal",
"tile": "Mosaico",
@@ -1416,7 +1423,6 @@
"ui_panel_lovelace_editor_card_tile_actions": "Ações",
"ui_panel_lovelace_editor_card_tile_default_color": "Cor por defeito (state)",
"ui_panel_lovelace_editor_card_tile_state_content_options_last_changed": "Último alterado",
- "ui_panel_lovelace_editor_card_tile_state_content_options_last_updated": "Última atualização",
"vertical_stack": "Agrupamento vertical",
"weather_forecast": "Previsão do tempo",
"weather_to_show": "Previsão a mostrar",
@@ -1524,144 +1530,124 @@
"now": "Agora",
"compare_data": "Comparar dados",
"reload_ui": "Recarregar Interface",
- "tag": "Tags",
- "input_datetime": "Data/hora de entrada",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Temporizador",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Localizador de dispositivos",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Booleano de entrada",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
- "fan": "Ventoinha",
- "weather": "Clima",
- "camera": "Câmara",
- "schedule": "Agenda",
- "mqtt": "MQTT",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "tag": "Etiqueta",
+ "media_source": "Media Source",
+ "mobile_app": "Aplicação móvel",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnósticos",
+ "filesize": "Tamanho do ficheiro",
+ "binary_sensor": "Sensor binário",
+ "ffmpeg": "FFmpeg",
"deconz": "deCONZ",
- "go_rtc": "go2rtc",
- "android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversa",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Texto de entrada",
- "valve": "Válvula",
+ "google_calendar": "Google Calendar",
+ "input_select": "Seletor de entrada",
+ "device_automation": "Device Automation",
+ "person": "Pessoa",
+ "input_button": "Botão de entrada",
+ "profiler": "Profiler",
"fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
+ "fan": "Ventilação",
+ "scene": "Scene",
+ "schedule": "Agenda",
"home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climatização",
- "binary_sensor": "Sensor binário",
- "broadlink": "Broadlink",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
+ "mqtt": "MQTT",
+ "repairs": "Repairs",
+ "weather": "Clima",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
+ "android_tv_remote": "Android TV Remote",
+ "assist_satellite": "Satélite do Assist",
+ "automation": "Automatização",
+ "system_log": "System Log",
+ "cover": "Cobertura",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Válvula",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cobertura",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Calendário local",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Sirene",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Corta relva",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zona",
- "auth": "Auth",
- "event": "Evento",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Localizador de dispositivos",
+ "remote": "Remoto",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Interruptor",
+ "persistent_notification": "Notificação Persistente",
+ "vacuum": "Aspirador",
+ "reolink": "Reolink",
+ "camera": "Câmara",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Notificação Persistente",
- "trace": "Trace",
- "remote": "Remoto",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Contador",
- "filesize": "Tamanho do ficheiro",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Número de entrada",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Verificador da fonte de alimentação do Raspberry Pi",
+ "conversation": "Conversa",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climatização",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Booleano de entrada",
- "lawn_mower": "Corta relva",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Evento",
+ "zone": "Zona",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Painel de controlo do alarme",
- "input_select": "Seletor de entrada",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Temporizador",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Interruptor",
+ "input_datetime": "Data/hora de entrada",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Contador",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Credenciais de aplicação",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnósticos",
- "person": "Pessoa",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Texto de entrada",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Número de entrada",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Credenciais de aplicação",
- "siren": "Sirene",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Botão de entrada",
- "vacuum": "Aspirador",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Satélite do Assist",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Calorias em atividade",
- "awakenings_count": "Contagem de despertares",
- "battery_level": "Nível da bateria",
- "bmi": "IMC",
- "body_fat": "Gordura corporal",
- "calories": "Calorias",
- "calories_bmr": "Calorias BMR",
- "calories_in": "Calorias em",
- "floors": "Pisos",
- "minutes_after_wakeup": "Minutos após acordar",
- "minutes_fairly_active": "Minutos com atividade razoável",
- "minutes_lightly_active": "Minutos de atividade leve",
- "minutes_sedentary": "Minutos sedentários",
- "minutes_very_active": "Minutos de muita atividade",
- "resting_heart_rate": "Batimento cardíaco em repouso",
- "sleep_efficiency": "Eficiência do sono",
- "sleep_minutes_asleep": "Minutos de sono a dormir",
- "sleep_minutes_awake": "Minutos de sono acordado",
- "sleep_minutes_to_fall_asleep_name": "Minutos de sono para adormecer",
- "sleep_start_time": "Hora de início do sono",
- "sleep_time_in_bed": "Tempo de sono na cama",
- "steps": "Passos",
"battery_low": "Bateria fraca",
"cloud_connection": "Ligação à nuvem",
"humidity_warning": "Aviso de humidade",
- "closed": "Fechado",
+ "closed": "Fechada",
"overheated": "Sobreaquecido",
"temperature_warning": "Aviso de temperatura",
"update_available": "Atualização disponível",
@@ -1686,6 +1672,7 @@
"alarm_source": "Origem de alarme",
"auto_off_at": "Desligar automaticamente às",
"available_firmware_version": "Versão de firmware disponível",
+ "battery_level": "Nível da bateria",
"this_month_s_consumption": "Consumo este mês",
"today_s_consumption": "Consumo hoje",
"total_consumption": "Consumo total",
@@ -1711,30 +1698,16 @@
"motion_sensor": "Sensor de movimento",
"smooth_transitions": "Transições suaves",
"tamper_detection": "Deteção de adulteração",
- "next_dawn": "Próximo amanhecer",
- "next_dusk": "Próximo crepúsculo",
- "next_midnight": "Próxima meia-noite",
- "next_noon": "Próximo meio-dia",
- "next_rising": "Próximo nascer do sol",
- "next_setting": "Próximo pôr do sol",
- "solar_azimuth": "Azimute solar",
- "solar_elevation": "Elevação solar",
- "day_of_week": "Dia da semana",
- "illuminance": "Iluminância",
- "noise": "Ruído",
- "overload": "Sobrecarga",
- "working_location": "Local de trabalho",
- "created": "Criado",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Consumo de energia do compressor",
- "compressor_estimated_power_consumption": "Consumo de energia estimado do compressor",
- "compressor_frequency": "Frequência do compressor",
- "cool_energy_consumption": "Consumo de energia fria",
- "energy_consumption": "Consumo de energia",
- "heat_energy_consumption": "Consumo de energia térmica",
- "inside_temperature": "Temperatura interior",
- "outside_temperature": "Temperatura exterior",
+ "calibration": "Calibração",
+ "auto_lock_paused": "Bloqueio automático em pausa",
+ "timeout": "Tempo limite",
+ "unclosed_alarm": "Alarme não fechado",
+ "unlocked_alarm": "Alarme desbloqueado",
+ "bluetooth_signal": "Sinal Bluetooth",
+ "light_level": "Nível de luz",
+ "wi_fi_signal": "Sinal de Wi-Fi",
+ "momentary": "Momentâneo",
+ "pull_retract": "Puxar/Retrair",
"process_process": "Processo {process}",
"disk_free_mount_point": "Disco livre {mount_point}",
"disk_use_mount_point": "Disco usado {mount_point}",
@@ -1753,122 +1726,163 @@
"swap_use": "Swap usada",
"network_throughput_in_interface": "Débito de entrada na rede {interface}",
"network_throughput_out_interface": "Débito de saída na rede {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist em curso",
- "preferred": "Preferencial",
- "finished_speaking_detection": "Deteção de fim de fala",
- "aggressive": "Agressivo",
- "relaxed": "Relaxado",
- "os_agent_version": "Versão do Agente do SO",
- "apparmor_version": "Versão Apparmor",
- "cpu_percent": "Percentagem da CPU",
- "disk_free": "Disco livre",
- "disk_total": "Total do disco",
- "disk_used": "Disco utilizado",
- "memory_percent": "Percentagem de memória",
- "version": "Versão",
- "newest_version": "Versão mais recente",
- "synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Fabricante",
- "quiet": "Silêncio",
- "wake_word": "Palavra de despertar",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Ganho automático",
+ "day_of_week": "Dia da semana",
+ "illuminance": "Iluminância",
+ "noise": "Ruído",
+ "overload": "Sobrecarga",
+ "activity_calories": "Calorias em atividade",
+ "awakenings_count": "Contagem de despertares",
+ "bmi": "IMC",
+ "body_fat": "Gordura corporal",
+ "calories": "Calorias",
+ "calories_bmr": "Calorias BMR",
+ "calories_in": "Calorias em",
+ "floors": "Pisos",
+ "minutes_after_wakeup": "Minutos após acordar",
+ "minutes_fairly_active": "Minutos com atividade razoável",
+ "minutes_lightly_active": "Minutos de atividade leve",
+ "minutes_sedentary": "Minutos sedentários",
+ "minutes_very_active": "Minutos de muita atividade",
+ "resting_heart_rate": "Batimento cardíaco em repouso",
+ "sleep_efficiency": "Eficiência do sono",
+ "sleep_minutes_asleep": "Minutos de sono a dormir",
+ "sleep_minutes_awake": "Minutos de sono acordado",
+ "sleep_minutes_to_fall_asleep_name": "Minutos de sono para adormecer",
+ "sleep_start_time": "Hora de início do sono",
+ "sleep_time_in_bed": "Tempo de sono na cama",
+ "steps": "Passos",
+ "synchronize_devices": "Sincronizar dispositivos",
+ "ding": "Ding",
+ "last_recording": "Última gravação",
+ "intercom_unlock": "Desbloqueio do intercomunicador",
+ "doorbell_volume": "Volume da campainha",
"mic_volume": "Volume do micro",
- "noise_suppression_level": "Nível de supressão de ruído",
- "off": "Desligado",
- "mute": "Silenciar",
+ "voice_volume": "Volume da voz",
+ "last_activity": "Última atividade",
+ "last_ding": "Último ding",
+ "last_motion": "Último movimento",
+ "wi_fi_signal_category": "Categoria do sinal Wi-Fi",
+ "wi_fi_signal_strength": "Força do sinal Wi-Fi",
+ "in_home_chime": "Toque interno",
+ "compressor_energy_consumption": "Consumo de energia do compressor",
+ "compressor_estimated_power_consumption": "Consumo de energia estimado do compressor",
+ "compressor_frequency": "Frequência do compressor",
+ "cool_energy_consumption": "Consumo de energia fria",
+ "energy_consumption": "Consumo de energia",
+ "heat_energy_consumption": "Consumo de energia térmica",
+ "inside_temperature": "Temperatura interior",
+ "outside_temperature": "Temperatura exterior",
+ "device_admin": "Admin do dispositivo",
+ "kiosk_mode": "Modo Kiosk",
+ "load_start_url": "Carregar URL inicial",
+ "restart_browser": "Reiniciar navegador",
+ "restart_device": "Reiniciar dispositivo",
+ "send_to_background": "Enviar para segundo plano",
+ "bring_to_foreground": "Trazer para primeiro plano",
+ "screenshot": "Captura de ecrã",
+ "overlay_message": "Mensagem sobreposta",
+ "screen_brightness": "Brilho do ecrã",
+ "screen_off_timer": "Temporizador de desligar ecrã",
+ "screensaver_brightness": "Brilho do protetor de ecrã",
+ "screensaver_timer": "Temporizador do protetor de ecrã",
+ "current_page": "Página atual",
+ "foreground_app": "App em primeiro plano",
+ "internal_storage_free_space": "Espaço livre de armazenamento interno",
+ "internal_storage_total_space": "Espaço total de armazenamento interno",
+ "total_memory": "Memória total",
+ "screen_orientation": "Orientação do ecrã",
+ "kiosk_lock": "Bloqueio do Kiosk",
+ "maintenance_mode": "Modo de manutenção",
+ "screensaver": "Protetor de ecrã",
"animal": "Animal",
"detected": "Detetado",
"animal_lens": "Lente animal 1",
"face": "Face",
- "face_lens": "Face lens 1",
- "motion_lens": "Motion lens 1",
- "package": "Package",
- "package_lens": "Package lens 1",
- "person_lens": "Person lens 1",
- "pet": "Pet",
- "pet_lens": "Pet lens 1",
- "sleep_status": "Sleep status",
- "awake": "Awake",
- "sleeping": "Sleeping",
- "vehicle": "Vehicle",
- "vehicle_lens": "Vehicle lens 1",
- "visitor": "Visitor",
- "visitor_lens": "Visitor lens 1",
- "guard_go_to": "Guard go to",
- "guard_set_current_position": "Guard set current position",
- "ptz_calibrate": "PTZ calibrate",
- "ptz_down": "PTZ down",
- "ptz_left": "PTZ left",
- "ptz_right": "PTZ right",
- "ptz_stop": "PTZ stop",
- "ptz_up": "PTZ up",
- "ptz_zoom_in": "PTZ zoom in",
- "ptz_zoom_out": "PTZ zoom out",
- "autotrack_snapshots_clear": "Autotrack snapshots clear",
- "autotrack_snapshots_fluent": "Autotrack snapshots fluent",
- "autotrack_fluent": "Autotrack fluent",
- "balanced": "Balanced",
- "balanced_lens": "Balanced lens 1",
- "clear_lens": "Clear lens 1",
- "snapshots_clear": "Snapshots clear",
- "snapshots_clear_lens": "Snapshots clear lens 1",
- "snapshots_fluent": "Snapshots fluent",
- "snapshots_fluent_lens": "Snapshots fluent lens 1",
- "fluent": "Fluent",
- "fluent_lens": "Fluent lens 1",
+ "face_lens": "Lente facial 1",
+ "motion_lens": "Lente de movimento 1",
+ "package": "Pacote",
+ "package_lens": "Pacote de lentes 1",
+ "person_lens": "Lente de pessoa 1",
+ "pet": "Animal de estimação",
+ "pet_lens": "Lente para animais de estimação 1",
+ "sleep_status": "Estado do sono",
+ "awake": "Acordado",
+ "sleeping": "A dormir",
+ "vehicle": "Veículo",
+ "vehicle_lens": "Lente do veículo 1",
+ "visitor": "Visitante",
+ "visitor_lens": "Lente do visitante 1",
+ "guard_go_to": "Guarda ir para",
+ "guard_set_current_position": "Posição atual do conjunto de guarda",
+ "ptz_calibrate": "PTZ calibrar",
+ "ptz_down": "PTZ para baixo",
+ "ptz_left": "PTZ esquerda",
+ "ptz_right": "PTZ direita",
+ "ptz_stop": "PTZ parar",
+ "ptz_up": "PTZ para cima",
+ "ptz_zoom_in": "PTZ aumentar zoom",
+ "ptz_zoom_out": "Redução do zoom PTZ",
+ "autotrack_snapshots_clear": "Instantâneos do Autotrack transparente",
+ "autotrack_snapshots_fluent": "Instantâneos do Autotrack fluentes",
+ "autotrack_fluent": "Autotrack fluente",
+ "balanced": "Equilibrado",
+ "balanced_lens": "Lente equilibrada 1",
+ "clear_lens": "Lente transparente 1",
+ "snapshots_clear": "Instantâneos transparente",
+ "snapshots_clear_lens": "Instantâneos lente transparente 1",
+ "snapshots_fluent": "Instantâneos fluente",
+ "snapshots_fluent_lens": "Instantâneos lente fluente 1",
+ "fluent": "Fluente",
+ "fluent_lens": "Lente fluente 1",
"floodlight": "Projetor",
"status_led": "LED de estado",
"ai_animal_delay": "Diferimento animal por IA",
"ai_animal_sensitivity": "Sensibilidade IA para animais",
- "ai_face_delay": "AI face delay",
+ "ai_face_delay": "Atraso da face da IA",
"ai_face_sensitivity": "Sensibilidade IA para caras",
- "ai_package_delay": "AI package delay",
+ "ai_package_delay": "Atraso do pacote AI",
"ai_package_sensitivity": "Sensibilidade IA para pacotes",
- "ai_person_delay": "AI person delay",
+ "ai_person_delay": "Atraso da pessoa com IA",
"ai_person_sensitivity": "Sensibilidade IA para pessoas",
- "ai_pet_delay": "AI pet delay",
+ "ai_pet_delay": "Atraso do animal de estimação da IA",
"ai_pet_sensitivity": "Sensibilidade IA para animais de estimação",
- "ai_vehicle_delay": "AI vehicle delay",
+ "ai_vehicle_delay": "Atraso do veículo AI",
"ai_vehicle_sensitivity": "Sensibilidade IA para veículos",
- "auto_quick_reply_time": "Auto quick reply time",
- "auto_track_disappear_time": "Auto track disappear time",
- "auto_track_limit_left": "Auto track limit left",
- "auto_track_limit_right": "Auto track limit right",
- "auto_track_stop_time": "Auto track stop time",
- "day_night_switch_threshold": "Day night switch threshold",
- "floodlight_turn_on_brightness": "Floodlight turn on brightness",
+ "auto_quick_reply_time": "Tempo de resposta rápida automática",
+ "auto_track_disappear_time": "Auto rastreamento tempo para desaparecer",
+ "auto_track_limit_left": "Auto rastreamento limite esquerdo",
+ "auto_track_limit_right": "Limite automático da via à direita",
+ "auto_track_stop_time": "Tempo de paragem automática da via",
+ "day_night_switch_threshold": "Limiar de comutação dia-noite",
+ "floodlight_turn_on_brightness": "Luminosidade do projetor",
"focus": "Concentrado",
- "guard_return_time": "Guard return time",
+ "guard_return_time": "Hora de regresso do guarda",
"image_brightness": "Brilho da imagem",
"image_contrast": "Contraste da imagem",
"image_hue": "Tonalidade da imagem",
"image_saturation": "Saturação da imagem",
"image_sharpness": "Nitidez da imagem",
"message_volume": "Volume de mensagem",
- "motion_sensitivity": "Motion sensitivity",
+ "motion_sensitivity": "Sensibilidade ao movimento",
"pir_sensitivity": "Sensibilidade do PIR",
"zoom": "Zoom",
- "auto_quick_reply_message": "Auto quick reply message",
- "auto_track_method": "Auto track method",
+ "auto_quick_reply_message": "Mensagem de resposta rápida automática",
+ "off": "Desligado",
+ "auto_track_method": "Método de rastreio automático",
"digital": "Digital",
- "digital_first": "Digital first",
- "pan_tilt_first": "Pan/tilt first",
+ "digital_first": "Primeiro o digital",
+ "pan_tilt_first": "Pan/tilt primeiro",
"binning_mode": "Modo de binning",
- "day_night_mode": "Day night mode",
+ "day_night_mode": "Modo dia-noite",
"black_white": "Preto & branco",
"doorbell_led": "LED da campainha",
"always_on": "Sempre ligado",
"state_alwaysonatnight": "Auto & sempre à noite",
"stay_off": "Manter desligado",
- "floodlight_mode": "Floodlight mode",
- "adaptive": "Adaptive",
- "auto_adaptive": "Auto adaptive",
- "on_at_night": "On at night",
+ "floodlight_mode": "Modo de projetor",
+ "adaptive": "Adaptativo",
+ "auto_adaptive": "Auto adaptável",
+ "on_at_night": "Ligado à noite",
"hdr": "HDR",
"hub_alarm_ringtone": "Toque de alarme do hub",
"alarm": "Alarme",
@@ -1889,7 +1903,7 @@
"package_ringtone": "Toque do pacote",
"person_ringtone": "Toque de pessoa",
"play_quick_reply_message": "Tocar uma mensagem de resposta rápida",
- "ptz_preset": "PTZ preset",
+ "ptz_preset": "Predefinição PTZ",
"fluent_bit_rate": "Taxa de bits fluída",
"fluent_frame_rate": "Taxa de quadros fluída",
"vehicle_ringtone": "Toque do veículo",
@@ -1901,26 +1915,67 @@
"battery_temperature": "Temperatura da bateria",
"cpu_usage": "Uso do CPU",
"hdd_hdd_index_storage": "Armazenamento {hdd_index} HDD",
- "ptz_pan_position": "PTZ pan position",
+ "ptz_pan_position": "Posição panorâmica PTZ",
"ptz_tilt_position": "Posição de inclinação da PTZ",
"sd_hdd_index_storage": "Armazenamento {hdd_index} SD",
- "wi_fi_signal": "Sinal Wi-Fi",
- "auto_focus": "Auto focus",
- "auto_tracking": "Auto tracking",
- "doorbell_button_sound": "Doorbell button sound",
- "email_on_event": "Email on event",
- "ftp_upload": "FTP upload",
- "guard_return": "Guard return",
+ "auto_focus": "Focagem automática",
+ "auto_tracking": "Rastreio automático",
+ "doorbell_button_sound": "Som do botão da campainha",
+ "email_on_event": "Email no evento",
+ "ftp_upload": "Upload por FTP",
+ "guard_return": "Retorno do guarda",
"hub_ringtone_on_event": "Toque do hub em evento",
"ir_lights_name": "Luzes de infravermelhos em modo noturno",
- "manual_record": "Manual record",
+ "manual_record": "Registo manual",
"pir_enabled": "PIR ativado",
"pir_reduce_false_alarm": "PIR reduzir falsos alarmes",
- "ptz_patrol": "PTZ patrol",
- "push_notifications": "Push notifications",
+ "ptz_patrol": "Patrulha PTZ",
+ "push_notifications": "Notificações Push",
"record": "Gravar",
- "record_audio": "Record audio",
- "siren_on_event": "Siren on event",
+ "record_audio": "Gravar áudio",
+ "siren_on_event": "Sirene no evento",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Criado",
+ "size": "Tamanho",
+ "size_in_bytes": "Tamanho em bytes",
+ "assist_in_progress": "Assist em curso",
+ "quiet": "Silêncio",
+ "preferred": "Preferencial",
+ "finished_speaking_detection": "Deteção de fim de fala",
+ "aggressive": "Agressivo",
+ "relaxed": "Relaxado",
+ "wake_word": "Palavra de despertar",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "Versão do Agente do SO",
+ "apparmor_version": "Versão Apparmor",
+ "cpu_percent": "Percentagem da CPU",
+ "disk_free": "Disco livre",
+ "disk_total": "Total do disco",
+ "disk_used": "Disco utilizado",
+ "memory_percent": "Percentagem de memória",
+ "version": "Versão",
+ "newest_version": "Versão mais recente",
+ "auto_gain": "Ganho automático",
+ "noise_suppression_level": "Nível de supressão de ruído",
+ "mute": "Silenciar",
+ "bytes_received": "Bytes recebidos",
+ "server_country": "País do servidor",
+ "server_id": "ID do servidor",
+ "server_name": "Nome do servidor",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes enviados",
+ "working_location": "Local de trabalho",
+ "next_dawn": "Próximo amanhecer",
+ "next_dusk": "Próximo crepúsculo",
+ "next_midnight": "Próxima meia-noite",
+ "next_noon": "Próximo meio-dia",
+ "next_rising": "Próximo nascer do sol",
+ "next_setting": "Próximo pôr do sol",
+ "solar_azimuth": "Azimute solar",
+ "solar_elevation": "Elevação solar",
"heavy": "Pesado",
"mild": "Suave",
"button_down": "Premir botão",
@@ -1933,77 +1988,256 @@
"triple_push": "Premir triplo",
"fault": "Falha",
"normal": "Normal",
+ "warm_up": "Aquecimento",
"not_completed": "Não concluído",
"pending": "Pendente",
"checking": "A verificar",
"closing": "A fechar",
"opened": "Aberta",
- "ding": "Ding",
- "last_recording": "Última gravação",
- "intercom_unlock": "Desbloqueio do intercomunicador",
- "doorbell_volume": "Volume da campainha",
- "voice_volume": "Volume da voz",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Força do sinal Wi-Fi",
- "in_home_chime": "Toque interno",
- "calibration": "Calibração",
- "auto_lock_paused": "Bloqueio automático em pausa",
- "timeout": "Timeout",
- "unclosed_alarm": "Alarme não fechado",
- "unlocked_alarm": "Alarme desbloqueado",
- "bluetooth_signal": "Sinal Bluetooth",
- "light_level": "Nível de luz",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes recebidos",
- "server_country": "País do servidor",
- "server_id": "ID do servidor",
- "server_name": "Nome do servidor",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes enviados",
- "device_admin": "Admin do dispositivo",
- "kiosk_mode": "Modo Kiosk",
- "load_start_url": "Carregar URL inicial",
- "restart_browser": "Reiniciar navegador",
- "restart_device": "Reiniciar dispositivo",
- "send_to_background": "Enviar para segundo plano",
- "bring_to_foreground": "Trazer para primeiro plano",
- "screenshot": "Captura de ecrã",
- "overlay_message": "Mensagem sobreposta",
- "screen_brightness": "Brilho do ecrã",
- "screen_off_timer": "Temporizador de desligar ecrã",
- "screensaver_brightness": "Brilho do protetor de ecrã",
- "screensaver_timer": "Temporizador do protetor de ecrã",
- "current_page": "Página atual",
- "foreground_app": "App em primeiro plano",
- "internal_storage_free_space": "Espaço livre de armazenamento interno",
- "internal_storage_total_space": "Espaço total de armazenamento interno",
- "total_memory": "Memória total",
- "screen_orientation": "Orientação do ecrã",
- "kiosk_lock": "Bloqueio do Kiosk",
- "maintenance_mode": "Modo de manutenção",
- "screensaver": "Protetor de ecrã",
- "last_scanned_by_device_id_name": "Última vez pesquisado pelo ID de dispositivo",
- "tag_id": "ID da etiqueta",
- "managed_via_ui": "Gerido através da IU",
- "pattern": "Padrão",
- "minute": "Minuto",
- "second": "Segundo",
- "timestamp": "Selo temporal",
- "stopped": "Parado",
+ "estimated_distance": "Distância estimada",
+ "vendor": "Fabricante",
+ "accelerometer": "Acelerómetro",
+ "binary_input": "Input binário",
+ "calibrated": "Calibrado",
+ "consumer_connected": "Consumidor ligado",
+ "external_sensor": "Sensor externo",
+ "frost_lock": "Bloqueio de congelamento",
+ "opened_by_hand": "Aberto à mão",
+ "heat_required": "É necessário aquecer",
+ "ias_zone": "Zona IAS",
+ "linkage_alarm_state": "Estado do alarme de ligação",
+ "mounting_mode_active": "Modo de montagem ativo",
+ "open_window_detection_status": "Estado da deteção de janela aberta",
+ "pre_heat_status": "Estado de pré-aquecimento",
+ "replace_filter": "Substituir filtro",
+ "valve_alarm": "Alarme de válvula",
+ "open_window_detection": "Deteção de janela aberta",
+ "feed": "Alimentação",
+ "frost_lock_reset": "Reposição do bloqueio anti-gelo",
+ "presence_status_reset": "Reposição do estado de presença",
+ "reset_summation_delivered": "Resumo de reinícios entregue",
+ "self_test": "Auto teste",
+ "keen_vent": "Keen vent",
+ "fan_group": "Grupo de ventoinhas",
+ "light_group": "Grupo de luzes",
+ "door_lock": "Fechadura de porta",
+ "ambient_sensor_correction": "Correção do sensor ambiental",
+ "approach_distance": "Distância de aproximação",
+ "automatic_switch_shutoff_timer": "Temporizador de desligamento automático do interrutor",
+ "away_preset_temperature": "Temperatura pré-definida para ausente",
+ "boost_amount": "Quantidade de aumento",
+ "button_delay": "Diferimento do botão",
+ "local_default_dimming_level": "Nível local, por defeito, do dimmer",
+ "remote_default_dimming_level": "Nível remoto, por defeito, do dimmer",
+ "default_move_rate": "Taxa de deslocação por defeito",
+ "detection_delay": "Atraso na deteção",
+ "maximum_range": "Alcance máximo",
+ "minimum_range": "Alcance mínimo",
+ "detection_interval": "Intervalo de deteção",
+ "local_dimming_down_speed": "Velocidade de escurecimento local",
+ "remote_dimming_down_speed": "Velocidade de escurecimento remoto",
+ "local_dimming_up_speed": "Velocidade de aumento local do brilho",
+ "remote_dimming_up_speed": "Velocidade de aumento remoto do brilho",
+ "display_activity_timeout": "Tempo limite de atividade do ecrã",
+ "display_inactive_brightness": "Brilho do ecrã quando inativo",
+ "double_tap_down_level": "Duplo toque para descer de nível",
+ "double_tap_up_level": "Duplo toque para subir de nível",
+ "exercise_start_time": "Hora de início do exercício",
+ "external_sensor_correction": "Correção do sensor externo",
+ "external_temperature_sensor": "Sensor de temperatura externo",
+ "fade_time": "Tempo de desvanecimento",
+ "fallback_timeout": "Tempo limite de fallback",
+ "filter_life_time": "Vida útil do filtro",
+ "fixed_load_demand": "Procura de carga fixa",
+ "frost_protection_temperature": "Temperatura de proteção contra gelo",
+ "irrigation_cycles": "Ciclos de rega",
+ "irrigation_interval": "Intervalo da rega",
+ "irrigation_target": "Alvo da rega",
+ "led_color_when_off_name": "Cor padrão de todos os LEDs desligados",
+ "led_color_when_on_name": "Cor padrão de todos os LEDs ligados",
+ "led_intensity_when_off_name": "Intensidade padrão de todos os LEDs desligados",
+ "led_intensity_when_on_name": "Intensidade padrão de todos os LEDs ligados",
+ "load_level_indicator_timeout": "Tempo limite do indicador do nível de carga",
+ "load_room_mean": "Carregar média da sala",
+ "local_temperature_offset": "Correção da temperatura local",
+ "max_heat_setpoint_limit": "Limite máximo do ponto de regulação do calor",
+ "maximum_load_dimming_level": "Nível máximo do dimmer",
+ "min_heat_setpoint_limit": "Limite mínimo do ponto de regulação do calor",
+ "minimum_load_dimming_level": "Nível mínimo do dimmer",
+ "off_led_intensity": "Intensidade do LED desligado",
+ "off_transition_time": "Tempo de transição para desligado",
+ "on_led_intensity": "Intensidade do LED ligado",
+ "on_level": "No nível",
+ "on_off_transition_time": "Tempo de transição Ligado/Desligado",
+ "on_transition_time": "Tempo de transição ao ligar",
+ "open_window_detection_guard_period_name": "Período de guarda de deteção de janela aberta",
+ "open_window_detection_threshold": "Limite de deteção de janela aberta",
+ "open_window_event_duration": "Duração do evento de janela aberta",
+ "portion_weight": "Peso da porção",
+ "presence_detection_timeout": "Tempo limite de deteção de presença",
+ "presence_sensitivity": "Sensibilidade de presença",
+ "quick_start_time": "Hora de início rápido",
+ "ramp_rate_off_to_on_local_name": "Taxa de rampa local de desligado para ligado.",
+ "ramp_rate_off_to_on_remote_name": "Taxa de rampa remota de ligado para desligado.",
+ "ramp_rate_on_to_off_local_name": "Taxa de rampa local de ligado para desligado.",
+ "ramp_rate_on_to_off_remote_name": "Taxa de rampa remota de ligado a desligado",
+ "regulation_setpoint_offset": "Desvio do ponto de ajuste da regulação",
+ "regulator_set_point": "Ponto de ajuste do regulador",
+ "serving_to_dispense": "Servir para dispensar",
+ "siren_time": "Duração da sirene",
+ "start_up_color_temperature": "Cor da temperatura ao ligar",
+ "start_up_current_level": "Nível atual ao ligar",
+ "start_up_default_dimming_level": "Nível inicial, por defeito, do dimmer",
+ "timer_duration": "Duração do temporizador",
+ "timer_time_left": "Tempo restante do temporizador",
+ "transmit_power": "Potência de transmissão",
+ "valve_closing_degree": "Grau de fechamento da válvula",
+ "irrigation_time": "Hora da rega 2",
+ "valve_opening_degree": "Grau de abertura da válvula",
+ "adaptation_run_command": "Comando de execução de adaptação",
+ "backlight_mode": "Modo de retroiluminação",
+ "click_mode": "Modo de clique",
+ "control_type": "Tipo de controlo",
+ "decoupled_mode": "Modo desligado",
+ "default_siren_level": "Nível padrão da sirene",
+ "default_siren_tone": "Tom padrão da sirene",
+ "default_strobe": "Estroboscópio padrão",
+ "default_strobe_level": "Nível padrão do estroboscópio",
+ "detection_distance": "Distância de deteção",
+ "detection_sensitivity": "Sensibilidade da Deteção",
+ "exercise_day_of_week_name": "Dia de exercício da semana",
+ "external_temperature_sensor_type": "Tipo de sensor de temperatura externa",
+ "external_trigger_mode": "Modo de disparo externo",
+ "heat_transfer_medium": "Meio de transferência do calor",
+ "heating_emitter_type": "Tipo de emissor de calor.",
+ "heating_fuel": "Combustível de aquecimento",
+ "non_neutral_output": "Output não neutro",
+ "irrigation_mode": "Mode de rega",
+ "keypad_lockout": "Bloqueio do teclado",
+ "dimming_mode": "Modo dimmer",
+ "led_scaling_mode": "Modo de escala LED",
+ "local_temperature_source": "Origem da temperatura local",
+ "monitoring_mode": "Modo de monitorização",
+ "off_led_color": "Cor do LED desligado",
+ "on_led_color": "Cor do LED ligado",
+ "operation_mode": "Modo de operação",
+ "output_mode": "Modo de saída",
+ "power_on_state": "Estado ao ligar",
+ "regulator_period": "Período do regulador",
+ "sensor_mode": "Modo do sensor",
+ "setpoint_response_time": "Tempo de resposta do ponto de ajuste",
+ "smart_fan_led_display_levels_name": "Níveis de ecrã led da ventoinha inteligente",
+ "start_up_behavior": "Comportamento inicial",
+ "switch_mode": "Modo do interruptor",
+ "switch_type": "Trocar tipo",
+ "thermostat_application": "Aplicação do termóstato",
+ "thermostat_mode": "Modo do termóstato",
+ "valve_orientation": "Orientação da válvula",
+ "viewing_direction": "Direção de visualização",
+ "weather_delay": "Diferimento devido ao tempo",
+ "curtain_mode": "Modo cortina",
+ "ac_frequency": "Frequência AC",
+ "adaptation_run_status": "Estado da adaptação",
+ "in_progress": "Em curso",
+ "run_successful": "Execução bem sucedida",
+ "valve_characteristic_lost": "Característica da válvula perdida",
+ "analog_input": "Entrada analógica",
+ "control_status": "Estado de controlo",
+ "device_run_time": "Tempo de execução do dispositivo",
+ "device_temperature": "Temperatura do dispositivo",
+ "target_distance": "Distância alvo",
+ "filter_run_time": "Tempo de utilização do filtro",
+ "formaldehyde_concentration": "Concentração de formaldeído",
+ "hooks_state": "Estado dos ganchos",
+ "hvac_action": "Ação HVAC",
+ "instantaneous_demand": "Procura instantânea",
+ "internal_temperature": "Temperatura interna",
+ "irrigation_duration": "Duração da rega 1",
+ "last_irrigation_duration": "Duração da última rega",
+ "irrigation_end_time": "Hora de fim da rega",
+ "irrigation_start_time": "Hora de início da rega",
+ "last_feeding_size": "Tamanho da última alimentação",
+ "last_feeding_source": "Fonte da última alimentação",
+ "last_illumination_state": "Último estado de iluminação",
+ "last_valve_open_duration": "Duração da última abertura da válvula",
+ "leaf_wetness": "Humidade das folhas",
+ "load_estimate": "Carga estimada",
+ "floor_temperature": "Temperatura do pavimento",
+ "lqi": "LQI",
+ "motion_distance": "Distância de movimento",
+ "motor_stepcount": "Número de passos do motor",
+ "open_window_detected": "Detetada janela aberta",
+ "overheat_protection": "Proteção de sobreaquecimento",
+ "pi_heating_demand": "Procura de aquecimento Pi",
+ "portions_dispensed_today": "Porções dispensadas hoje",
+ "pre_heat_time": "Tempo de pré-aquecimento",
+ "rssi": "RSSI",
+ "self_test_result": "Resultado do auto-teste",
+ "setpoint_change_source": "Fonte de alteração do ponto de regulação",
+ "smoke_density": "Densidade do fumo",
+ "software_error": "Erro de software",
+ "good": "Bom",
+ "critical_low_battery": "Bateria criticamente fraca",
+ "encoder_jammed": "Codificador travado",
+ "invalid_clock_information": "Informações de relógio inválidas",
+ "invalid_internal_communication": "Comunicação interna inválida",
+ "motor_error": "Erro no motor",
+ "non_volatile_memory_error": "Erro de memória não volátil",
+ "radio_communication_error": "Erro de comunicação por rádio",
+ "side_pcb_sensor_error": "Erro no sensor do PCB lateral",
+ "top_pcb_sensor_error": "Erro no sensor do PCB superior",
+ "unknown_hw_error": "Erro de HW desconhecido",
+ "soil_moisture": "Humidade do solo",
+ "summation_delivered": "Resumo entregue",
+ "summation_received": "Súmula recebida",
+ "tier_summation_delivered": "Resumo do Nível 6 entregue",
+ "timer_state": "Estado do temporizador",
+ "weight_dispensed_today": "Peso dispensado hoje",
+ "window_covering_type": "Tipo de cobertura de janela",
+ "adaptation_run_enabled": "Execução de adaptação ativada",
+ "aux_switch_scenes": "Cenas do interruptor auxiliar",
+ "binding_off_to_on_sync_level_name": "Nível de sincronização de desligado para ligado",
+ "buzzer_manual_alarm": "Ativação manual do alarme sonoro",
+ "buzzer_manual_mute": "Silenciar manualmente o alarme sonoro",
+ "detach_relay": "Desanexar relé",
+ "disable_clear_notifications_double_tap_name": "Desativar opção de 2 toques para limpar notificações",
+ "disable_led": "Desativar LED",
+ "double_tap_down_enabled": "Toque duplo para baixo ativado",
+ "double_tap_up_enabled": "Toque duplo para cima ativado",
+ "double_up_full_name": "Toque duplo ativado - completo",
+ "enable_siren": "Ativar sirene",
+ "external_window_sensor": "Sensor de janela externo",
+ "distance_switch": "Interruptor de distância",
+ "firmware_progress_led": "LED de progresso do firmware",
+ "heartbeat_indicator": "Indicador de batimento cardíaco",
+ "heat_available": "Aquecimento disponível",
+ "hooks_locked": "Ganchos bloqueados",
+ "invert_switch": "Inverter interruptor",
+ "inverted": "Invertido",
+ "led_indicator": "Indicador LED",
+ "linkage_alarm": "Alarme de ligação",
+ "local_protection": "Proteção local",
+ "mounting_mode": "Modo de montagem",
+ "only_led_mode": "Modo 1 só LED",
+ "open_window": "Janela aberta",
+ "power_outage_memory": "Memória de falha de energia",
+ "prioritize_external_temperature_sensor": "Priorizar sensor de temperatura externo",
+ "relay_click_in_on_off_mode_name": "Desativar o clique do relé no modo ligado/desligado",
+ "smart_bulb_mode": "Modo de lâmpada inteligente",
+ "smart_fan_mode": "Modo da ventoinha inteligente",
+ "led_trigger_indicator": "Indicador de gatilho LED",
+ "turbo_mode": "Modo turbo",
+ "use_internal_window_detection": "Usar deteção de janela interna",
+ "use_load_balancing": "Usar balanceamento de carga",
+ "valve_detection": "Deteção de válvula",
+ "window_detection": "Deteção de janela",
+ "invert_window_detection": "Inverter deteção de janela",
+ "available_tones": "Tons disponíveis",
"device_trackers": "Rastreadores de dispositivos",
- "gps_accuracy": "GPS accuracy",
- "paused": "Em pausa",
- "finishes_at": "Termina em",
- "remaining": "Restante",
- "restore": "Restaurar",
+ "gps_accuracy": "Precisão do GPS",
"last_reset": "Última reinicialização",
"possible_states": "Estados possíveis",
- "state_class": "Classe de estado",
+ "state_class": "Classe do Estado",
"measurement": "Medição",
"top": "Total",
"total_increasing": "Aumento total",
@@ -2031,77 +2265,14 @@
"pressure": "Pressão",
"reactive_power": "Potência reativa",
"sound_pressure": "Pressão sonora",
- "speed": "Speed",
+ "speed": "Velocidade",
"sulphur_dioxide": "Dióxido de enxofre",
+ "timestamp": "Selo temporal",
"vocs": "VOCs",
"volume_flow_rate": "Caudal volumétrico",
"stored_volume": "Volume armazenado",
"weight": "Peso",
- "cool": "Arrefecer",
- "fan_only": "Ventilação",
- "heat_cool": "Aquecer/Arrefecer",
- "aux_heat": "Aquecimento auxiliar",
- "current_humidity": "Humidade atual",
- "current_temperature": "Current Temperature",
- "fan_mode": "Modo da ventoinha",
- "diffuse": "Difuso",
- "middle": "Meio",
- "current_action": "Modo atual",
- "cooling": "A arrefecer",
- "defrosting": "Descongelação",
- "drying": "Desumidificação",
- "heating": "A aquecer",
- "preheating": "Pré-Aquecimento",
- "max_target_humidity": "Humidade máxima pretendida",
- "max_target_temperature": "Temperatura máxima pretendida",
- "min_target_humidity": "Humidade mínima pretendida",
- "min_target_temperature": "Temperatura mínima pretendida",
- "boost": "Turbo",
- "comfort": "Conforto",
- "eco": "Eco",
- "sleep": "Dormir",
- "presets": "Pré-definições",
- "horizontal_swing_mode": "Modo de oscilação horizontal",
- "swing_mode": "Modo de oscilação",
- "both": "Ambos",
- "horizontal": "Horizontal",
- "target_temperature_step": "Incremento",
- "step": "Passo",
- "not_charging": "Não está a carregar",
- "hot": "Quente",
- "no_light": "Sem luz",
- "light_detected": "Luz detectada",
- "locked": "Trancada",
- "unlocked": "Destrancada",
- "safe": "Seguro",
- "unsafe": "Inseguro",
- "tampering_detected": "Adulteração detetada",
- "box": "Caixa",
- "above_horizon": "Acima do horizonte",
- "below_horizon": "Abaixo do horizonte",
- "buffering": "A armazenar em buffer",
- "playing": "A reproduzir",
- "standby": "Standby",
- "app_id": "ID da aplicação",
- "local_accessible_entity_picture": "Imagem da entidade acessível localmente",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Álbum do artista",
- "content_id": "ID do conteúdo",
- "content_type": "Tipo de conteúdo",
- "channels": "Canais",
- "position_updated": "Posição atualizada",
- "series": "Série",
- "all": "Todos",
- "one": "Uma vez",
- "available_sound_modes": "Modos de som disponíveis",
- "available_sources": "Fontes disponíveis",
- "receiver": "Recetor",
- "speaker": "Coluna",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Roteador",
+ "managed_via_ui": "Gerido através da IU",
"color_mode": "Color Mode",
"brightness_only": "Apenas brilho",
"hs": "HS",
@@ -2117,13 +2288,33 @@
"minimum_color_temperature_kelvin": "Temperatura mínima da cor (Kelvin)",
"minimum_color_temperature_mireds": "Temperatura mínima da cor (mireds)",
"available_color_modes": "Modos de cor disponíveis",
- "available_tones": "Tons disponíveis",
"docked": "Na Base",
- "mowing": "Mowing",
+ "mowing": "A cortar relva",
+ "paused": "Em pausa",
"returning": "A regressar",
- "oscillating": "Oscillating",
+ "pattern": "Padrão",
+ "running_automations": "Automações em execução",
+ "max_running_scripts": "Máximo de scripts em execução",
+ "run_mode": "Modo de funcionamento",
+ "parallel": "Paralelo",
+ "queued": "Em sequência",
+ "single": "Único",
+ "auto_update": "Auto atualizar",
+ "installed_version": "Versão instalada",
+ "release_summary": "Resumo do lançamento",
+ "release_url": "URL do lançamento",
+ "skipped_version": "Versão pulada",
+ "firmware": "Firmware",
+ "oscillating": "A oscilar",
"speed_step": "Passo de velocidade",
"available_preset_modes": "Modos predefinidos disponíveis",
+ "minute": "Minuto",
+ "second": "Segundo",
+ "next_event": "Próximo evento",
+ "step": "Passo",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Roteador",
"clear_night": "Limpo, noite",
"cloudy": "Nublado",
"exceptional": "Excecional",
@@ -2146,25 +2337,9 @@
"uv_index": "índice UV",
"wind_bearing": "Direção do vento",
"wind_gust_speed": "Velocidade das rajadas de vento",
- "auto_update": "Auto atualizar",
- "in_progress": "Em curso",
- "installed_version": "Versão instalada",
- "release_summary": "Resumo do lançamento",
- "release_url": "URL do lançamento",
- "skipped_version": "Versão pulada",
- "firmware": "Firmware",
- "armed_away": "Armado Ausente",
- "armed_custom_bypass": "Armado Desvio personalizado",
- "armed_home": "Armado Casa",
- "armed_night": "Armado Noite",
- "armed_vacation": "Armado Férias",
- "disarming": "A desarmar",
- "triggered": "Disparado",
- "changed_by": "Alterado por",
- "code_for_arming": "Código para armar",
- "not_required": "Não requerido",
- "code_format": "Formato de código",
"identify": "Identificar",
+ "cleaning": "A Limpar",
+ "returning_to_dock": "A regressar à base",
"recording": "A gravar",
"streaming": "Transmissão em fluxo contínuo",
"access_token": "Token de acesso",
@@ -2173,95 +2348,136 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Modelo",
+ "last_scanned_by_device_id_name": "Última vez pesquisado pelo ID de dispositivo",
+ "tag_id": "ID da etiqueta",
+ "automatic": "Automático",
+ "box": "Caixa",
+ "jammed": "Encravado",
+ "locked": "Trancado",
+ "locking": "A trancar",
+ "unlocked": "Destrancada",
+ "unlocking": "A destrancar",
+ "changed_by": "Alterado por",
+ "code_format": "Formato de código",
+ "members": "Membros",
+ "listening": "A escutar",
+ "processing": "A processar",
+ "responding": "A responder",
+ "id": "ID",
+ "max_running_automations": "Máximo de automatizações em execução",
+ "cool": "Arrefecer",
+ "heat_cool": "Aquecer/Arrefecer",
+ "aux_heat": "Aquecimento auxiliar",
+ "current_humidity": "Humidade atual",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Modo da ventoinha",
+ "diffuse": "Difuso",
+ "middle": "Meio",
+ "current_action": "Modo atual",
+ "cooling": "A arrefecer",
+ "defrosting": "Descongelação",
+ "drying": "Desumidificação",
+ "heating": "A aquecer",
+ "preheating": "Pré-Aquecimento",
+ "max_target_humidity": "Humidade máxima pretendida",
+ "max_target_temperature": "Temperatura máxima pretendida",
+ "min_target_humidity": "Humidade mínima pretendida",
+ "min_target_temperature": "Temperatura mínima pretendida",
+ "boost": "Turbo",
+ "comfort": "Conforto",
+ "eco": "Eco",
+ "sleep": "Dormir",
+ "presets": "Pré-definições",
+ "horizontal_swing_mode": "Modo de oscilação horizontal",
+ "swing_mode": "Modo de oscilação",
+ "both": "Ambos",
+ "horizontal": "Horizontal",
+ "target_temperature_step": "Incremento",
+ "stopped": "Parado",
+ "garage": "Garagem",
+ "not_charging": "Não está a carregar",
+ "hot": "Quente",
+ "no_light": "Sem luz",
+ "light_detected": "Luz detectada",
+ "safe": "Seguro",
+ "unsafe": "Inseguro",
+ "tampering_detected": "Adulteração detetada",
+ "buffering": "A armazenar em buffer",
+ "playing": "A reproduzir",
+ "standby": "Standby",
+ "app_id": "ID da aplicação",
+ "local_accessible_entity_picture": "Imagem da entidade acessível localmente",
+ "group_members": "Membros do grupo",
+ "muted": "Silenciado",
+ "album_artist": "Álbum do artista",
+ "content_id": "ID do conteúdo",
+ "content_type": "Tipo de conteúdo",
+ "channels": "Canais",
+ "position_updated": "Posição atualizada",
+ "series": "Série",
+ "all": "Todos",
+ "one": "Uma vez",
+ "available_sound_modes": "Modos de som disponíveis",
+ "available_sources": "Fontes disponíveis",
+ "receiver": "Recetor",
+ "speaker": "Coluna",
+ "tv": "TV",
"end_time": "Hora de fim",
"start_time": "Hora de início",
- "next_event": "Próximo evento",
- "garage": "Garagem",
"event_type": "Tipo de evento",
"event_types": "Tipos de evento",
"doorbell": "Campainha",
- "running_automations": "Automações em execução",
- "id": "ID",
- "max_running_automations": "Máximo de automatizações em execução",
- "run_mode": "Modo de funcionamento",
- "parallel": "Paralelo",
- "queued": "Em sequência",
- "single": "Único",
- "cleaning": "A Limpar",
- "returning_to_dock": "A regressar à base",
- "listening": "A escutar",
- "processing": "A processar",
- "responding": "A responder",
- "max_running_scripts": "Máximo de scripts em execução",
- "jammed": "Encravado",
- "locking": "A trancar",
- "unlocking": "A destrancar",
- "members": "Membros",
- "known_hosts": "Anfitriões conhecidos",
- "google_cast_configuration": "Configuração do Google Cast",
- "confirm_description": "Pretende configurar {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Conta já configurada",
- "abort_already_in_progress": "O processo de configuração já está a decorrer",
- "failed_to_connect": "A ligação falhou",
- "invalid_access_token": "Token de acesso inválido",
- "invalid_authentication": "Autenticação inválida",
- "received_invalid_token_data": "Recebido token de autenticação inválido.",
- "abort_oauth_failed": "Erro ao obter o token de acesso.",
- "timeout_resolving_oauth_token": "Excedido o tempo limite para o OAuth token.",
- "abort_oauth_unauthorized": "Erro de autorização OAuth ao obter o token de acesso.",
- "re_authentication_was_successful": "Reautenticação bem sucedida",
- "unexpected_error": "Erro inesperado",
- "successfully_authenticated": "Autenticado com sucesso",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Escolha o método de autenticação",
- "authentication_expired_for_name": "A autenticação expirou para {name}",
+ "above_horizon": "Acima do horizonte",
+ "below_horizon": "Abaixo do horizonte",
+ "armed_away": "Armado Ausente",
+ "armed_custom_bypass": "Armado Desvio personalizado",
+ "armed_home": "Armado Casa",
+ "armed_night": "Armado Noite",
+ "armed_vacation": "Armado Férias",
+ "disarming": "A desarmar",
+ "triggered": "Disparado",
+ "code_for_arming": "Código para armar",
+ "not_required": "Não requerido",
+ "finishes_at": "Termina em",
+ "remaining": "Restante",
+ "restore": "Restaurar",
"device_is_already_configured": "Dispositivo já configurado",
+ "failed_to_connect": "A ligação falhou",
"abort_no_devices_found": "Nenhum dispositivo encontrado na rede",
+ "re_authentication_was_successful": "Reautenticação bem sucedida",
"re_configuration_was_successful": "A reconfiguração foi bem sucedida",
"connection_error_error": "Erro de ligação: {error}",
- "unable_to_authenticate_error": "Unable to authenticate: {error}",
+ "unable_to_authenticate_error": "Não foi possível autenticar: {error}",
"camera_stream_authentication_failed": "A autenticação do stream da câmara falhou",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "Ativar visualização ao vivo da câmara",
- "username": "Nome de Utilizador",
- "camera_auth_confirm_description": "Input device camera account credentials.",
+ "username": "Username",
+ "camera_auth_confirm_description": "Credenciais da conta da câmara do dispositivo de entrada.",
"set_camera_account_credentials": "Definir as credenciais da conta da câmara",
"authenticate": "Autenticar",
+ "authentication_expired_for_name": "A autenticação expirou para {name}",
"host": "Host",
"reconfigure_description": "Atualizar a sua configuração para o dispositivo {mac}",
"reconfigure_tplink_entry": "Reconfigurar entrada TPLink",
- "abort_single_instance_allowed": "Já configurado. Apenas uma única configuração é possível.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Quer dar início à configuração?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_single_instance_allowed": "Já configurado. Só pode existir uma configuração.",
+ "abort_api_error": "Erro ao comunicar com a API SwitchBot: {error_detail}",
+ "unsupported_switchbot_type": "Tipo de Switchbot não suportado.",
+ "unexpected_error": "Erro inesperado",
+ "authentication_failed_error_detail": "Falha na autenticação: {error_detail}",
+ "error_encryption_key_invalid": "A chave ID ou Chave de encriptação é inválida",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Deseja configurar {name}?",
+ "switchbot_account_recommended": "Conta Switchbot (recomendado)",
+ "enter_encryption_key_manually": "Introduzir a chave de encriptação manualmente",
+ "encryption_key": "Chave de encriptação",
+ "key_id": "ID da chave",
+ "password_description": "Palavra-passe para proteger o backup.",
+ "mac_address": "Endereço MAC",
"service_is_already_configured": "Serviço já configurado",
- "invalid_ics_file": "Ficheiro .ics inválido",
- "calendar_name": "Calendar Name",
+ "abort_already_in_progress": "O processo de configuração já está a decorrer",
"abort_invalid_host": "Endereço IP ou anfitrião inválido.",
"device_not_supported": "Dispositivo não suportado",
+ "invalid_authentication": "Autenticação inválida",
"name_model_at_host": "{name} ({model} em {host})",
"authenticate_to_the_device": "Autenticar no dispositivo",
"finish_title": "Escolha um nome para o dispositivo",
@@ -2269,68 +2485,27 @@
"yes_do_it": "Sim, faça-o.",
"unlock_the_device_optional": "Desbloqueie o dispositivo (opcional)",
"connect_to_the_device": "Ligar ao dispositivo",
- "abort_missing_credentials": "A integração requer credenciais de aplicação.",
- "timeout_establishing_connection": "Excedido o tempo limite para estabelecer ligação",
- "link_google_account": "Vincular Conta do Google",
- "path_is_not_allowed": "O caminho não é permitido",
- "path_is_not_valid": "O caminho é inválido",
- "path_to_file": "Caminho para o ficheiro",
- "api_key": "Chave da API",
- "configure_daikin_ac": "Configurar o Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adaptador",
- "multiple_adapters_description": "Selecionar um adaptador Bluetooth para configurar",
- "arm_away_action": "Ação armado ausente",
- "arm_custom_bypass_action": "Ação para armado personalizado",
- "arm_home_action": "Ação armado em casa",
- "arm_night_action": "Ação armado noite",
- "arm_vacation_action": "Ação armado para férias",
- "code_arm_required": "Código necessário para armar.",
- "disarm_action": "Desarmar ação",
- "trigger_action": "Espoletar ação",
- "value_template": "Template de valor",
- "template_alarm_control_panel": "Crie um template para um painel de controlo de alarme",
- "device_class": "Classe do dispositivo",
- "state_template": "Template de estado",
- "template_binary_sensor": "Criar sensor binário a partir do template",
- "actions_on_press": "Ações ao premir",
- "template_button": "Criar botão a partir do template",
- "verify_ssl_certificate": "Verificar o certificado SSL",
- "template_image": "Criar imagem a partir do template",
- "actions_on_set_value": "Ações ao definir valor",
- "step_value": "Valor incremental",
- "template_number": "Criar número a partir do template",
- "available_options": "Opções disponíveis",
- "actions_on_select": "Ações na seleção",
- "template_select": "Criar seleção a partir do template",
- "template_sensor": "Criar sensor a partir do template",
- "actions_on_turn_off": "Ações ao desligar",
- "actions_on_turn_on": "Ações ao ligar",
- "template_switch": "Criar interruptor a partir do template",
- "menu_options_alarm_control_panel": "Crie um template para um painel de controlo de alarme.",
- "template_a_binary_sensor": "Criar um sensor binário a partir do template",
- "template_a_button": "Criar um botão a partir do template",
- "template_an_image": "Criar uma imagem a partir do template",
- "template_a_number": "Criar um número a partir do template",
- "template_a_select": "Criar uma seleção a partir do template",
- "template_a_sensor": "Criar um sensor a partir do template",
- "template_a_switch": "Criar um interruptor a partir do template",
- "template_helper": "Auxiliar de template",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Conta já configurada",
+ "invalid_access_token": "Token de acesso inválido",
+ "received_invalid_token_data": "Recebido token de autenticação inválido.",
+ "abort_oauth_failed": "Erro ao obter o token de acesso.",
+ "timeout_resolving_oauth_token": "Excedido o tempo limite para o OAuth token.",
+ "abort_oauth_unauthorized": "Erro de autorização OAuth ao obter o token de acesso.",
+ "successfully_authenticated": "Autenticado com sucesso",
+ "link_fitbit": "Vincular Fitbit",
+ "pick_authentication_method": "Escolha o método de autenticação",
+ "two_factor_code": "Código de dois fatores",
+ "two_factor_authentication": "Autenticação de dois fatores.",
+ "reconfigure_ring_integration": "Reconfigurar a Integração Ring",
+ "sign_in_with_ring_account": "Iniciar sessão com a conta Ring",
+ "abort_alternative_integration": "O dispositivo é melhor suportado por outra integração",
+ "abort_incomplete_config": "A configuração não tem uma variável necessária",
+ "manual_description": "URL para um ficheiro XML de descrição do dispositivo",
+ "manual_title": "Ligação manual do dispositivo DMR DLNA",
+ "discovered_dlna_dmr_devices": "Dispositivos DMR DLNA descobertos",
+ "broadcast_address": "Endereço de difusão",
+ "broadcast_port": "Porta de difusão",
"abort_addon_info_failed": "Falha ao obter informações para o add-on {addon}.",
"abort_addon_install_failed": "Falha ao instalar o add-on {addon}.",
"abort_addon_start_failed": "Falha ao iniciar o add-on {addon}.",
@@ -2356,78 +2531,254 @@
"starting_add_on": "A iniciar add-on",
"menu_options_addon": "Use o add-on oficial {addon}.",
"menu_options_broker": "Insira manualmente os detalhes de conexão do broker MQTT.",
- "bridge_is_already_configured": "Bridge já está configurada",
- "no_deconz_bridges_discovered": "Nenhum hub deCONZ descoberto",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Não foi possível obter uma Chave da API",
- "link_with_deconz": "Ligação com deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "Código PIN",
- "discovered_android_tv": "Android TV encontrada.",
- "abort_mdns_missing_mac": "Endereço MAC ausente nas propriedades MDNS.",
- "abort_mqtt_missing_api": "Falta a porta da API nas propriedades MQTT.",
- "abort_mqtt_missing_ip": "Falta o endereço IP nas propriedades MQTT.",
- "abort_mqtt_missing_mac": "Falta o endereço MAC nas propriedades MQTT.",
- "missing_mqtt_payload": "Falta o Payload MQTT.",
- "action_received": "Ação recebida",
- "discovered_esphome_node": "Nodo ESPHome descoberto",
- "encryption_key": "Chave de encriptação",
- "no_port_for_endpoint": "Nenhuma porta para o terminal",
- "abort_no_services": "Nenhum serviço encontrado no terminal",
- "discovered_wyoming_service": "Descoberto serviço Wyoming",
- "abort_alternative_integration": "O dispositivo é melhor suportado por outra integração",
- "abort_incomplete_config": "A configuração não tem uma variável necessária",
- "manual_description": "URL para um ficheiro XML de descrição do dispositivo",
- "manual_title": "Ligação manual do dispositivo DMR DLNA",
- "discovered_dlna_dmr_devices": "Dispositivos DMR DLNA descobertos",
+ "api_key": "Chave da API",
+ "configure_daikin_ac": "Configurar o Daikin AC",
+ "cannot_connect_details_error_detail": "Não é possível conectar. Detalhes: {error_detail}",
+ "unknown_details_error_detail": "Desconhecido. Detalhes: {error_detail}",
+ "uses_an_ssl_certificate": "Utiliza um certificado SSL",
+ "verify_ssl_certificate": "Verificar o certificado SSL",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "bluetooth_confirm_description": "Pretende configurar {name}?",
+ "adapter": "Adaptador",
+ "multiple_adapters_description": "Selecionar um adaptador Bluetooth para configurar",
"api_error_occurred": "Ocorreu um erro de API",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Ativar HTTPS",
- "broadcast_address": "Endereço de difusão",
- "broadcast_port": "Porta de difusão",
- "mac_address": "Endereço MAC",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Instituto de Meteorologia",
- "ipv_is_not_supported": "O IPv6 não é suportado.",
- "error_custom_port_not_supported": "Os dispositivos gen1 não suportam portas personalizadas.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigurar a Integração Ring",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Excedido o tempo limite para estabelecer ligação",
+ "link_google_account": "Ligar a conta Google",
+ "path_is_not_allowed": "O caminho não é permitido",
+ "path_is_not_valid": "O caminho é inválido",
+ "path_to_file": "Caminho para o ficheiro",
+ "pin_code": "Código PIN",
+ "discovered_android_tv": "Android TV encontrada.",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "Todas as entidades",
"hide_members": "Esconder membros",
"create_group": "Criar grupo",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignorar não numérico",
"data_round_digits": "Valor arredondado ao número de decimais",
- "type": "Type",
+ "type": "Tipo",
"binary_sensor_group": "Grupo de sensores binários",
- "button_group": "Button group",
+ "button_group": "Grupo de botões",
"cover_group": "Grupo de cobertura",
- "event_group": "Event group",
- "fan_group": "Grupo de ventoinhas",
- "light_group": "Grupo de luzes",
+ "event_group": "Grupo de eventos",
"lock_group": "Grupo de fechaduras",
"media_player_group": "Grupo de leitores multimédia",
- "notify_group": "Notify group",
+ "notify_group": "Notificar grupo",
"sensor_group": "Grupo de sensores",
"switch_group": "Grupo de interruptores",
- "abort_api_error": "Erro ao comunicar com a API SwitchBot: {error_detail}",
- "unsupported_switchbot_type": "Tipo de Switchbot não suportado.",
- "authentication_failed_error_detail": "Falha na autenticação: {error_detail}",
- "error_encryption_key_invalid": "A chave ID ou Chave de encriptação é inválida",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "Conta Switchbot (recomendado)",
- "enter_encryption_key_manually": "Introduzir a chave de encriptação manualmente",
- "key_id": "ID da chave",
- "password_description": "Palavra-passe para proteger o backup.",
- "device_address": "Endereço do dispositivo",
- "cannot_connect_details_error_detail": "Não é possível conectar. Detalhes: {error_detail}",
- "unknown_details_error_detail": "Desconhecido. Detalhes: {error_detail}",
- "uses_an_ssl_certificate": "Utiliza um certificado SSL",
+ "known_hosts": "Anfitriões conhecidos",
+ "google_cast_configuration": "Configuração do Google Cast",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Endereço MAC ausente nas propriedades MDNS.",
+ "abort_mqtt_missing_api": "Falta a porta da API nas propriedades MQTT.",
+ "abort_mqtt_missing_ip": "Falta o endereço IP nas propriedades MQTT.",
+ "abort_mqtt_missing_mac": "Falta o endereço MAC nas propriedades MQTT.",
+ "missing_mqtt_payload": "Falta o Payload MQTT.",
+ "action_received": "Ação recebida",
+ "discovered_esphome_node": "Nodo ESPHome descoberto",
+ "bridge_is_already_configured": "Bridge já está configurada",
+ "no_deconz_bridges_discovered": "Nenhum hub deCONZ descoberto",
+ "abort_no_hardware_available": "Nenhum hardware de rádio ligado ao deCONZ",
+ "abort_updated_instance": "Instância deCONZ actualizada com novo endereço de anfitrião",
+ "error_linking_not_possible": "Não foi possível estabelecer uma ligação com o portal",
+ "error_no_key": "Não foi possível obter uma Chave da API",
+ "link_with_deconz": "Ligação com deCONZ",
+ "select_discovered_deconz_gateway": "Selecione o gateway deCONZ descoberto",
+ "abort_missing_credentials": "A integração requer credenciais de aplicação.",
+ "no_port_for_endpoint": "Nenhuma porta para o terminal",
+ "abort_no_services": "Nenhum serviço encontrado no terminal",
+ "discovered_wyoming_service": "Descoberto serviço Wyoming",
+ "ipv_is_not_supported": "O IPv6 não é suportado.",
+ "error_custom_port_not_supported": "Os dispositivos gen1 não suportam portas personalizadas.",
+ "arm_away_action": "Ação armado ausente",
+ "arm_custom_bypass_action": "Ação para armado personalizado",
+ "arm_home_action": "Ação armado em casa",
+ "arm_night_action": "Ação armado noite",
+ "arm_vacation_action": "Ação armado para férias",
+ "code_arm_required": "Código necessário para armar.",
+ "disarm_action": "Desarmar ação",
+ "trigger_action": "Espoletar ação",
+ "value_template": "Template de valor",
+ "template_alarm_control_panel": "Crie um template para um painel de controlo de alarme",
+ "state_template": "Template de estado",
+ "template_binary_sensor": "Criar sensor binário a partir do template",
+ "actions_on_press": "Ações ao premir",
+ "template_button": "Criar botão a partir do template",
+ "template_image": "Criar imagem a partir do template",
+ "actions_on_set_value": "Ações ao definir valor",
+ "step_value": "Valor incremental",
+ "template_number": "Criar número a partir do template",
+ "available_options": "Opções disponíveis",
+ "actions_on_select": "Ações na seleção",
+ "template_select": "Criar seleção a partir do template",
+ "template_sensor": "Criar sensor a partir do template",
+ "actions_on_turn_off": "Ações ao desligar",
+ "actions_on_turn_on": "Ações ao ligar",
+ "template_switch": "Criar interruptor a partir do template",
+ "menu_options_alarm_control_panel": "Crie um template para um painel de controlo de alarme.",
+ "template_a_binary_sensor": "Criar um sensor binário a partir do template",
+ "template_a_button": "Criar um botão a partir do template",
+ "template_an_image": "Criar uma imagem a partir do template",
+ "template_a_number": "Criar um número a partir do template",
+ "template_a_select": "Criar uma seleção a partir do template",
+ "template_a_sensor": "Criar um sensor a partir do template",
+ "template_a_switch": "Criar um interruptor a partir do template",
+ "template_helper": "Auxiliar de template",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "Este dispositivo não é um dispositivo ZHA",
+ "abort_usb_probe_failed": "Falha ao sondar o dispositivo USB",
+ "invalid_backup_json": "JSON de backup inválido",
+ "choose_an_automatic_backup": "Escolha um backup automático",
+ "restore_automatic_backup": "Restaurar Backup Automático",
+ "choose_formation_strategy_description": "Escolha as configurações de rede para o seu rádio.",
+ "restore_an_automatic_backup": "Restaurar um backup automático",
+ "create_a_network": "Criar uma rede",
+ "keep_radio_network_settings": "Manter as configurações de rede de rádio",
+ "upload_a_manual_backup": "Fazer upload de um backup manual",
+ "network_formation": "Formação de rede",
+ "serial_device_path": "Caminho do dispositivo serial",
+ "select_a_serial_port": "Selecionar uma porta série",
+ "confirm_hardware_description": "Do you want to set up {name}?",
+ "radio_type": "Tipo de rádio",
+ "manual_pick_radio_type_description": "Escolha o seu tipo de rádio Zigbee",
+ "port_speed": "Velocidade da porta",
+ "data_flow_control": "Controlo de fluxo de dados",
+ "manual_port_config_description": "Digite as configurações da porta serial",
+ "serial_port_settings": "Configurações da porta serial",
+ "data_overwrite_coordinator_ieee": "Substituir permanentemente o endereço IEEE do rádio",
+ "overwrite_radio_ieee_address": "Sobrescrever o endereço IEEE do rádio",
+ "upload_a_file": "Carregar um ficheiro",
+ "radio_is_not_recommended": "Rádio não é recomendado",
+ "invalid_ics_file": "Ficheiro .ics inválido",
+ "calendar_name": "Nome do calendário",
+ "zha_alarm_options_alarm_arm_requires_code": "Código necessário para ações de armar",
+ "zha_alarm_options_alarm_master_code": "Código mestre do(s) painel(is) de controlo do alarme",
+ "alarm_control_panel_options": "Opções do Painel de Controlo de Alarme",
+ "zha_options_consider_unavailable_battery": "Considerar os dispositivos alimentados por bateria indisponíveis após (segundos)",
+ "zha_options_consider_unavailable_mains": "Considerar os dispositivos alimentados pela rede elétrica indisponíveis após (segundos)",
+ "zha_options_default_light_transition": "Tempo de transição de luz predefinido (segundos)",
+ "zha_options_group_members_assume_state": "Os membros do grupo assumem o estado de grupo",
+ "zha_options_light_transitioning_flag": "Ativar a barra deslizante de brilho melhorado durante a transição de luz",
+ "global_options": "Opções globais",
+ "force_nightlatch_operation_mode": "Forçar o modo de operação Nightlatch",
+ "retry_count": "Contagem de tentativas",
+ "data_process": "Processos a adicionar como sensor(es)",
+ "invalid_url": "URL inválido",
+ "data_browse_unfiltered": "Mostrar multimédia incompatível durante a navegação",
+ "event_listener_callback_url": "URL de chamada de retorno do ouvinte de eventos",
+ "data_listen_port": "Porta do ouvinte de eventos (aleatória se não estiver definida)",
+ "poll_for_device_availability": "Sondagem sobre a disponibilidade do dispositivo",
+ "init_title": "Configuração do DLNA Digital Media Renderer",
+ "broker_options": "Opções do broker",
+ "enable_birth_message": "Ativar mensagem de nascimento.",
+ "birth_message_payload": "Mensagem de nascimento payload",
+ "birth_message_qos": "Mensagem de nascimento QoS",
+ "birth_message_retain": "Mensagem de nascimento reter",
+ "birth_message_topic": "Tópico da mensagem birth",
+ "enable_discovery": "Ativar descoberta",
+ "discovery_prefix": "Prefixo de descoberta",
+ "enable_will_message": "Ativar a mensagem de testamento",
+ "will_message_payload": "Payload da mensagem will",
+ "will_message_qos": "QoS da mensagem will",
+ "will_message_retain": "Reter mensagem testamental",
+ "will_message_topic": "Tópico da mensagem testamental",
+ "data_description_discovery": "Opção para ativar a descoberta automática do MQTT.",
+ "mqtt_options": "Opções MQTT",
+ "passive_scanning": "Varrimento passivo",
+ "protocol": "Protocolo",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Código do idioma",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "data_app_delete": "Selecione para apagar esta aplicação",
+ "application_icon": "Ícone da aplicação",
+ "application_name": "Nome da aplicação",
+ "configure_application_id_app_id": "Configurar aplicação ID {app_id}",
+ "configure_android_apps": "Configurar Apps Android",
+ "configure_applications_list": "Configurar lista de aplicações",
"ignore_cec": "Ignorar CEC",
"allowed_uuids": "UUIDs permitidos",
"advanced_google_cast_configuration": "Configuração avançada do Google Cast",
+ "allow_deconz_clip_sensors": "Permitir sensores deCONZ CLIP",
+ "allow_deconz_light_groups": "Permitir grupos de luz deCONZ",
+ "data_allow_new_devices": "Permitir adição automática de novos dispositivos",
+ "deconz_devices_description": "Configure a visibilidade dos tipos de dispositivos deCONZ",
+ "deconz_options": "Opções do deCONZ",
+ "select_test_server": "Selecionar servidor de teste",
+ "data_calendar_access": "Acesso do Home Assistant ao Calendário Google",
+ "bluetooth_scanner_mode": "Modo de rastreio Bluetooth",
"device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
"not_supported": "Not Supported",
"localtuya_configuration": "LocalTuya Configuration",
@@ -2444,10 +2795,9 @@
"data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
"data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
"data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
"configure_tuya_device": "Configure Tuya device",
"configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "ID do dispositivo",
+ "device_id": "Device ID",
"local_key": "Local key",
"protocol_version": "Protocol Version",
"data_entities": "Entities (uncheck an entity to remove it)",
@@ -2480,128 +2830,49 @@
"data_clean_area_dp": "Clean Area DP (Usually 32)",
"data_clean_record_dp": "Clean Record DP (Usually 34)",
"locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Acesso do Home Assistant ao Calendário Google",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Varrimento passivo",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Opções do broker",
- "enable_birth_message": "Ativar mensagem de nascimento.",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Tópico da mensagem birth",
- "enable_discovery": "Ativar descoberta",
- "discovery_prefix": "Prefixo de descoberta",
- "enable_will_message": "Ativar a mensagem de testamento",
- "will_message_payload": "Payload da mensagem will",
- "will_message_qos": "QoS da mensagem will",
- "will_message_retain": "Reter mensagem testamental",
- "will_message_topic": "Tópico da mensagem testamental",
- "data_description_discovery": "Opção para ativar a descoberta automática do MQTT.",
- "mqtt_options": "Opções MQTT",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Permitir grupos de luz deCONZ",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure a visibilidade dos tipos de dispositivos deCONZ",
- "deconz_options": "deCONZ options",
- "data_app_delete": "Selecione para apagar esta aplicação",
- "application_icon": "Application icon",
- "application_name": "Application name",
- "configure_application_id_app_id": "Configure application ID {app_id}",
- "configure_android_apps": "Configure Android apps",
- "configure_applications_list": "Configurar lista de aplicações",
- "invalid_url": "URL inválido",
- "data_browse_unfiltered": "Mostrar multimédia incompatível durante a navegação",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Porta do ouvinte de eventos (aleatória se não estiver definida)",
- "poll_for_device_availability": "Sondagem sobre a disponibilidade do dispositivo",
- "init_title": "Configuração do DLNA Digital Media Renderer",
- "protocol": "Protocolo",
- "language_code": "Código do idioma",
- "bluetooth_scanner_mode": "Modo de rastreio Bluetooth",
- "force_nightlatch_operation_mode": "Forçar o modo de operação Nightlatch",
- "retry_count": "Contagem de tentativas",
- "select_test_server": "Select test server",
- "toggle_entity_name": "Alternar {entity_name}",
- "turn_off_entity_name": "Desligar {entity_name}",
- "turn_on_entity_name": "Ligar {entity_name}",
- "entity_name_is_off": "{entity_name} está desligado",
- "entity_name_is_on": "{entity_name} está ligado",
- "trigger_type_changed_states": "{entity_name} foi ligado ou desligado",
- "entity_name_turned_off": "{entity_name} foi desligado",
- "entity_name_turned_on": "{entity_name} foi ligado",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "UUIDs atualmente permitidos. Desmarque para remover",
+ "data_new_uuid": "Insira um novo UUID permitido",
+ "reconfigure_zha": "Reconfigurar ZHA",
+ "unplug_your_old_radio": "Desligue o seu rádio antigo",
+ "intent_migrate_title": "Migrar para um novo rádio",
+ "re_configure_the_current_radio": "Reconfigurar o rádio atual",
+ "migrate_or_re_configure": "Migrar ou reconfigurar",
"current_entity_name_apparent_power": "Potência aparente atual de {entity_name}",
"condition_type_is_aqi": "Índice de qualidade do ar atual de {entity_name}",
"current_entity_name_area": "Área atual de {entity_name}",
@@ -2690,12 +2961,65 @@
"entity_name_temperature_changes": "alterações de temperatura em {entity_name}",
"entity_name_value_changes": "alterações de valor em {entity_name}",
"trigger_type_volatile_organic_compounds": "Alterações da concentração de compostos orgânicos voláteis de {entity_name}",
- "entity_name_voltage_changes": "Mudanças de voltagem de {entity_name}",
+ "entity_name_voltage_changes": "Mudanças de tensão de {entity_name}",
"entity_name_volume_changes": "Mudanças de volume de {entity_name}",
"trigger_type_volume_flow_rate": "Alterações do caudal volumétrico de {entity_name}",
"entity_name_water_changes": "Mudanças de água de {entity_name}",
"entity_name_weight_changes": "Alterações de peso de {entity_name}",
"entity_name_wind_speed_changes": "{entity_name} mudança na velocidade do vento",
+ "decrease_entity_name_brightness": "Diminuir o brilho de {entity_name}",
+ "increase_entity_name_brightness": "Aumentar o brilho de {entity_name}",
+ "flash_entity_name": "Piscar {entity_name}",
+ "toggle_entity_name": "Alternar {entity_name}",
+ "turn_off_entity_name": "Desligar {entity_name}",
+ "turn_on_entity_name": "Ligar {entity_name}",
+ "entity_name_is_off": "{entity_name} está desligado",
+ "entity_name_is_on": "{entity_name} está ligado",
+ "flash": "Piscar",
+ "trigger_type_changed_states": "{entity_name} foi ligado ou desligado",
+ "entity_name_turned_off": "{entity_name} foi desligado",
+ "entity_name_turned_on": "{entity_name} foi ligado",
+ "set_value_for_entity_name": "Definir valor para {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "Disponibilidade de atualização de {entity_name} alterada",
+ "entity_name_became_up_to_date": "{entity_name} foi atualizado",
+ "trigger_type_update": "{entity_name} tem uma atualização disponível",
+ "first_button": "Primeiro botão",
+ "second_button": "Segundo botão",
+ "third_button": "Terceiro botão",
+ "fourth_button": "Quarto botão",
+ "fifth_button": "Quinto botão",
+ "sixth_button": "Sexto botão",
+ "subtype_double_clicked": "\"{subtype}\" duplo clique",
+ "subtype_continuously_pressed": "\"{subtype}\" premido continuamente",
+ "trigger_type_button_long_release": "\"{subtype}\" libertado após pressão longa",
+ "subtype_quadruple_clicked": "\"{subtype}\" com clique quádruplo",
+ "subtype_quintuple_clicked": "\"{subtype}\" com clique quíntuplo",
+ "subtype_pressed": "\"{subtype}\" pressionado",
+ "subtype_released": "\"{subtype}\" libertado",
+ "subtype_triple_clicked": "\"{subtype}\" com triplo clique",
+ "entity_name_is_home": "{entity_name} está em casa",
+ "entity_name_is_not_home": "{entity_name} não está em casa",
+ "entity_name_enters_a_zone": "{entity_name} entra numa zona",
+ "entity_name_leaves_a_zone": "{entity_name} sai de uma zona",
+ "press_entity_name_button": "Pressione o botão {entity_name}",
+ "entity_name_has_been_pressed": "{entity_name} foi pressionado",
+ "let_entity_name_clean": "Mandar {entity_name} limpar",
+ "action_type_dock": "Enviar {entity_name} para a base",
+ "entity_name_is_cleaning": "{entity_name} está a limpar",
+ "entity_name_is_docked": "{entity_name} está na base",
+ "entity_name_started_cleaning": "{entity_name} começou a limpar",
+ "entity_name_docked": "{entity_name} chegou à base",
+ "send_a_notification": "Envia uma notificação",
+ "lock_entity_name": "Bloquear {entity_name}",
+ "open_entity_name": "Abrir {entity_name}",
+ "unlock_entity_name": "Desbloquear {entity_name}",
+ "entity_name_is_locked": "{entity_name} está fechado",
+ "entity_name_is_open": "{entity_name} está aberta",
+ "entity_name_is_unlocked": "{entity_name} está destrancado",
+ "entity_name_locked": "{entity_name} fechou",
+ "entity_name_opened": "{entity_name} foi aberta",
+ "entity_name_unlocked": "{entity_name} destrancado",
"action_type_set_hvac_mode": "Alterar o modo HVAC de {entity_name}",
"change_preset_on_entity_name": "Alterar pré-definição de {entity_name}",
"hvac_mode": "Modo HVAC",
@@ -2703,8 +3027,20 @@
"entity_name_measured_humidity_changed": "A humidade medida por {entity_name} alterou-se",
"entity_name_measured_temperature_changed": "A temperatura medida por {entity_name} alterou-se",
"entity_name_hvac_mode_changed": "Modo HVAC de {entity_name} alterado",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Valor",
+ "close_entity_name": "Fechar {entity_name}",
+ "close_entity_name_tilt": "Fechar a inclinação da {entity_name}",
+ "open_entity_name_tilt": "Abra a inclinação da {entity_name}",
+ "set_entity_name_position": "Definir posição de {entity_name}",
+ "set_entity_name_tilt_position": "Definir a posição de inclinação de {entity_name}",
+ "stop_entity_name": "Parar {entity_name}",
+ "entity_name_is_closed": "{entity_name} está fechada",
+ "entity_name_closing": "{entity_name} está a fechar",
+ "entity_name_opening": "{entity_name} está a abrir",
+ "current_entity_name_position_is": "A posição atual de {entity_name} é",
+ "condition_type_is_tilt_position": "A inclinação actual de {entity_name} é",
+ "entity_name_closed": "{entity_name} foi fechada",
+ "entity_name_position_changes": "{entity_name} mudou de posição",
+ "entity_name_tilt_position_changes": "{entity_name} mudou inclinação",
"entity_name_battery_is_low": "a bateria {entity_name} está baixa",
"entity_name_is_charging": "{entity_name} a está a carregar",
"condition_type_is_co": "{entity_name} está detectando monóxido de carbono",
@@ -2712,7 +3048,6 @@
"entity_name_is_detecting_gas": "{entity_name} está a detectar gás",
"entity_name_is_hot": "{entity_name} está quente",
"entity_name_is_detecting_light": "{entity_name} está a detectar luz",
- "entity_name_is_locked": "{entity_name} está trancada",
"entity_name_is_moist": "{entity_name} está húmido",
"entity_name_is_detecting_motion": "{entity_name} está a detectar movimento",
"entity_name_is_moving": "{entity_name} está a mexer",
@@ -2729,11 +3064,9 @@
"entity_name_not_charging": "{entity_name} não está a carregar",
"entity_name_is_not_cold": "{entity_name} não está frio",
"entity_name_is_not_hot": "{entity_name} não está quente",
- "entity_name_is_unlocked": "{entity_name} está destrancado",
"entity_name_is_dry": "{entity_name} está seco",
"entity_name_is_not_moving": "{entity_name} não está a mexer",
"entity_name_is_not_occupied": "{entity_name} não está ocupado",
- "entity_name_is_closed": "{entity_name} está fechada",
"entity_name_is_unplugged": "{entity_name} está desconectado",
"entity_name_is_not_powered": "{entity_name} não está alimentado",
"entity_name_is_not_present": "{entity_name} não está presente",
@@ -2741,7 +3074,6 @@
"condition_type_is_not_tampered": "{entity_name} não está a detetar adulterações",
"entity_name_is_safe": "{entity_name} está seguro",
"entity_name_is_occupied": "{entity_name} está ocupado",
- "entity_name_is_open": "{entity_name} está aberta",
"entity_name_is_plugged_in": "{entity_name} está conectado",
"entity_name_is_powered": "{entity_name} está alimentado",
"entity_name_is_present": "{entity_name} está presente",
@@ -2751,7 +3083,6 @@
"entity_name_is_detecting_sound": "{entity_name} está a detectar som",
"entity_name_is_detecting_tampering": "{entity_name} está a detetar adulteração",
"entity_name_is_unsafe": "{entity_name} não é seguro",
- "trigger_type_update": "{entity_name} tem uma atualização disponível",
"entity_name_is_detecting_vibration": "{entity_name} está a detectar vibrações",
"entity_name_battery_low": "{entity_name} com bateria fraca",
"entity_name_charging": "{entity_name} a carregar",
@@ -2760,7 +3091,6 @@
"entity_name_started_detecting_gas": "{entity_name} detectou gás",
"entity_name_became_hot": "{entity_name} ficou quente",
"entity_name_started_detecting_light": "{entity_name} detectou luz",
- "entity_name_locked": "{entity_name} fechada",
"entity_name_became_moist": "ficou húmido {entity_name}",
"entity_name_started_detecting_motion": "{entity_name} detectou movimento",
"entity_name_started_moving": "{entity_name} começou a mover-se",
@@ -2771,17 +3101,14 @@
"entity_name_stopped_detecting_problem": "{entity_name} deixou de detectar problemas",
"entity_name_stopped_detecting_smoke": "{entity_name} deixou de detectar fumo",
"entity_name_stopped_detecting_sound": "{entity_name} deixou de detectar som",
- "entity_name_became_up_to_date": "{entity_name} foi atualizado",
"entity_name_stopped_detecting_vibration": "{entity_name} deixou de detectar vibração",
"entity_name_battery_normal": "{entity_name} bateria normal",
"entity_name_became_not_cold": "{entity_name} deixou de estar frio",
"entity_name_unplugged": "{entity_name} desligado",
"entity_name_became_not_hot": "{entity_name} deixou de estar quente",
- "entity_name_opened": "{entity_name} aberta",
"entity_name_became_dry": "{entity_name} ficou seco",
"entity_name_stopped_moving": "{entity_name} deixou de se mover",
"entity_name_became_not_occupied": "{entity_name} deixou de estar ocupado",
- "entity_name_closed": "{entity_name} fechou",
"entity_name_not_powered": "{entity_name} não alimentado",
"entity_name_not_present": "ausente {entity_name}",
"trigger_type_not_running": "{entity_name} já não está execução",
@@ -2805,70 +3132,14 @@
"entity_name_starts_buffering": "{entity_name} inicia a colocação em buffer",
"entity_name_becomes_idle": "{entity_name} fica inativo",
"entity_name_starts_playing": "{entity_name} iniciou a reprodução",
- "entity_name_is_home": "{entity_name} está em casa",
- "entity_name_is_not_home": "{entity_name} não está em casa",
- "entity_name_enters_a_zone": "{entity_name} entra numa zona",
- "entity_name_leaves_a_zone": "{entity_name} sai de uma zona",
- "decrease_entity_name_brightness": "Diminuir o brilho de {entity_name}",
- "increase_entity_name_brightness": "Aumentar o brilho de {entity_name}",
- "flash_entity_name": "Piscar {entity_name}",
- "flash": "Piscar",
- "entity_name_update_availability_changed": "Disponibilidade de atualização de {entity_name} alterada",
- "arm_entity_name_away": "Armar {entity_name} Ausente",
- "arm_entity_name_home": "Armar {entity_name} Casa",
- "arm_entity_name_night": "Armar {entity_name} Noite",
- "arm_entity_name_vacation": "Armar {entity_name} Férias",
- "disarm_entity_name": "Desarmar {entity_name}",
- "trigger_entity_name": "Despoletar {entity_name}",
- "entity_name_is_armed_away": "{entity_name} foi armado para Ausente",
- "entity_name_is_armed_home": "{entity_name} foi armado para Casa",
- "entity_name_is_armed_night": "{entity_name} foi armado para Noite",
- "entity_name_is_armed_vacation": "{entity_name} foi armado para Férias",
- "entity_name_is_disarmed": "{entity_name} foi desarmado",
- "entity_name_is_triggered": "{entity_name} foi despoletado",
- "entity_name_armed_away": "{entity_name} armado Ausente",
- "entity_name_armed_home": "{entity_name} armado Casa",
- "entity_name_armed_night": "{entity_name} armado Noite",
- "entity_name_armed_vacation": "{entity_name} armado Férias",
- "entity_name_disarmed": "{entity_name} desarmado",
- "entity_name_triggered": "{entity_name} despoletado",
- "press_entity_name_button": "Pressione o botão {entity_name}",
- "entity_name_has_been_pressed": "{entity_name} foi pressionado",
"action_type_select_first": "Alterar {entity_name} para a primeira opção",
"action_type_select_last": "Alterar {entity_name} para a última opção",
"action_type_select_next": "Alterar {entity_name} para a opção seguinte",
"change_entity_name_option": "Alterar opção {entity_name}",
"action_type_select_previous": "Alterar {entity_name} para a opção anterior",
- "current_entity_name_selected_option": "Current {entity_name} selected option",
+ "current_entity_name_selected_option": "Opção selecionada atual {entity_name}",
"from": "De",
- "entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Fechar {entity_name}",
- "close_entity_name_tilt": "Fechar a inclinação da {entity_name}",
- "open_entity_name": "Abrir {entity_name}",
- "open_entity_name_tilt": "Abra a inclinação da {entity_name}",
- "set_entity_name_position": "Definir posição de {entity_name}",
- "set_entity_name_tilt_position": "Definir a posição de inclinação de {entity_name}",
- "stop_entity_name": "Parar {entity_name}",
- "entity_name_closing": "{entity_name} está a fechar",
- "entity_name_opening": "{entity_name} está a abrir",
- "current_entity_name_position_is": "A posição atual de {entity_name} é",
- "condition_type_is_tilt_position": "A inclinação actual de {entity_name} é",
- "entity_name_position_changes": "{entity_name} mudou de posição",
- "entity_name_tilt_position_changes": "{entity_name} mudou inclinação",
- "first_button": "Primeiro botão",
- "second_button": "Segundo botão",
- "third_button": "Terceiro botão",
- "fourth_button": "Quarto botão",
- "fifth_button": "Quinto botão",
- "sixth_button": "Sexto botão",
- "subtype_double_clicked": "{subtype} clique duplo",
- "subtype_continuously_pressed": "Botão \"{subtype}\" pressionado continuamente",
- "trigger_type_button_long_release": "\"{subtype}\" libertado após pressão longa",
- "subtype_quadruple_clicked": "\"{subtype}\" clicado quadruplamente",
- "subtype_quintuple_clicked": "\"{subtype}\" clicado quintuplamente",
- "subtype_pressed": "\" {subtype} \" pressionado",
- "subtype_released": "\"{subtype}\" libertado",
- "subtype_triple_clicked": "{subtype} clique triplo",
+ "entity_name_option_changed": "Opção {entity_name} alterada",
"both_buttons": "Ambos os botões",
"bottom_buttons": "Botões inferiores",
"seventh_button": "Sétimo botão",
@@ -2880,27 +3151,19 @@
"side": "Lado 6",
"top_buttons": "Botões superiores",
"device_awakened": "Dispositivo acordou",
- "trigger_type_remote_button_long_release": "\"{subtype}\" libertado após longa espera",
- "button_rotated_subtype": "Button rotated \"{subtype}\"",
- "button_rotated_fast_subtype": "Button rotated fast \"{subtype}\"",
- "button_rotation_subtype_stopped": "Button rotation \"{subtype}\" stopped",
- "device_subtype_double_tapped": "Device \"{subtype}\" double tapped",
- "trigger_type_remote_double_tap_any_side": "Device double tapped on any side",
+ "button_rotated_subtype": "Botão rodado \"{subtype}\"",
+ "button_rotated_fast_subtype": "Botão rodado rapidamente \"{subtype}\"",
+ "button_rotation_subtype_stopped": "Rotação do botão \"{subtype}\" parado",
+ "device_subtype_double_tapped": "Dispositivo \"{subtype}\" dupla rosca",
+ "trigger_type_remote_double_tap_any_side": "Dispositivo com toque duplo em qualquer lado",
"device_in_free_fall": "Dispositivo em queda livre",
- "device_flipped_degrees": "Device flipped 90 degrees",
- "device_shaken": "Dispositivo agitado",
- "trigger_type_remote_moved": "Device moved with \"{subtype}\" up",
- "trigger_type_remote_moved_any_side": "Device moved with any side up",
- "trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
+ "device_flipped_degrees": "Dispositivo virado a 90 graus",
+ "device_shaken": "Dispositivo abanado",
+ "trigger_type_remote_moved": "Dispositivo deslocado com \"{subtype}\" para cima",
+ "trigger_type_remote_moved_any_side": "Dispositivo movido com qualquer lado para cima",
+ "trigger_type_remote_rotate_from_side": "Dispositivo rodado do \"lado 6\" para \"{subtype}\"",
"device_turned_clockwise": "Dispositivo girado no sentido horário",
"device_turned_counter_clockwise": "Dispositivo girado no sentido anti-horário",
- "send_a_notification": "Envia uma notificação",
- "let_entity_name_clean": "Mandar {entity_name} limpar",
- "action_type_dock": "Enviar {entity_name} para a base",
- "entity_name_is_cleaning": "{entity_name} está a limpar",
- "entity_name_is_docked": "{entity_name} está na base",
- "entity_name_started_cleaning": "{entity_name} começou a limpar",
- "entity_name_docked": "{entity_name} chegou à base",
"subtype_button_down": "Botão {subtype} para baixo",
"subtype_button_up": "Botão {subtype} para cima",
"subtype_double_push": "{subtype} impulso duplo",
@@ -2911,29 +3174,54 @@
"trigger_type_single_long": "{subtype} clique simples seguido de clique longo",
"subtype_single_push": "{subtype} impulso simples",
"subtype_triple_push": "{subtype} impulso triplo",
- "lock_entity_name": "Bloquear {entity_name}",
- "unlock_entity_name": "Desbloquear {entity_name}",
- "add_to_queue": "Add to queue",
- "play_next": "Play next",
- "options_replace": "Play now and clear queue",
- "repeat_all": "Repeat all",
- "repeat_one": "Repeat one",
- "no_code_format": "Formato sem código",
- "no_unit_of_measurement": "Sem unidade de medida",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Criar um calendário vazio",
- "options_import_ics_file": "Carregar um ficheiro iCalendar (.ics).",
- "passive": "Passivo",
- "most_recently_updated": "Atualização mais recente",
- "arithmetic_mean": "Média aritmética",
- "median": "Mediana",
- "product": "Produto",
- "statistical_range": "Intervalo estatístico",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
+ "arm_entity_name_away": "Armar {entity_name} Ausente",
+ "arm_entity_name_home": "Armar {entity_name} Casa",
+ "arm_entity_name_night": "Armar {entity_name} Noite",
+ "arm_entity_name_vacation": "Armar {entity_name} Férias",
+ "disarm_entity_name": "Desarmar {entity_name}",
+ "trigger_entity_name": "Despoletar {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} foi armado para Ausente",
+ "entity_name_is_armed_home": "{entity_name} foi armado para Casa",
+ "entity_name_is_armed_night": "{entity_name} foi armado para Noite",
+ "entity_name_is_armed_vacation": "{entity_name} foi armado para Férias",
+ "entity_name_is_disarmed": "{entity_name} foi desarmado",
+ "entity_name_is_triggered": "{entity_name} foi despoletado",
+ "entity_name_armed_away": "{entity_name} armado Ausente",
+ "entity_name_armed_home": "{entity_name} armado Casa",
+ "entity_name_armed_night": "{entity_name} armado Noite",
+ "entity_name_armed_vacation": "{entity_name} armado Férias",
+ "entity_name_disarmed": "{entity_name} desarmado",
+ "entity_name_triggered": "{entity_name} despoletado",
+ "action_type_issue_all_led_effect": "Enviar efeito para todos os LEDs",
+ "action_type_issue_individual_led_effect": "Enviar efeito para LED individual",
+ "squawk": "Squawk",
+ "warn": "Avisar",
+ "color_hue": "Paleta de cores",
+ "duration_in_seconds": "Duração em segundos",
+ "effect_type": "Tipo de efeito",
+ "led_number": "Número do LED",
+ "with_face_activated": "Com a face 6 ativada",
+ "with_any_specified_face_s_activated": "Com qualquer face/face especificada(s) ativada(s)",
+ "device_dropped": "Dispositivo caiu",
+ "device_flipped_subtype": "Dispositivo invertido \"{subtype}\"",
+ "device_knocked_subtype": "Dispositivo batido \"{subtype}\"",
+ "device_offline": "Dispositivo offline",
+ "device_rotated_subtype": "Dispositivo rodado \"{subtype}\"",
+ "device_slid_subtype": "O dispositivo deslizou \"{subtype}\"",
+ "device_tilted": "Dispositivo inclinado",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" clicado duas vezes (modo alternativo)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuamente premido (Modo alternativo)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" libertado após pressão prolongada (Modo alternativo)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" com tetra clique (Modo alternativo)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" com penta clique (Modo alternativo)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" premido (Modo alternativo)",
+ "subtype_released_alternate_mode": "\"{subtype}\" libertado (Modo alternativo)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" com triplo clique (Modo alternativo)",
+ "add_to_queue": "Adicionar à fila",
+ "play_next": "Reproduzir o próximo",
+ "options_replace": "Reproduzir agora e limpar a fila",
+ "repeat_all": "Repetir tudo",
+ "repeat_one": "Repetir um",
"sky_blue": "Azul-celeste",
"antique_white": "Branco-antigo",
"aquamarine": "Água-marinha",
@@ -3050,78 +3338,212 @@
"wheat": "Castanho-claro",
"white_smoke": "Branco-fumado",
"yellow_green": "Verde-amarelo",
+ "critical": "Crítico",
+ "debug": "Depuração",
+ "info": "Info",
+ "warning": "Aviso",
+ "passive": "Passivo",
+ "no_code_format": "Formato sem código",
+ "no_unit_of_measurement": "Sem unidade de medida",
+ "fatal": "Fatal",
+ "most_recently_updated": "Atualização mais recente",
+ "arithmetic_mean": "Média aritmética",
+ "median": "Mediana",
+ "product": "Produto",
+ "statistical_range": "Intervalo estatístico",
+ "standard_deviation": "Desvio padrão",
+ "create_an_empty_calendar": "Criar um calendário vazio",
+ "options_import_ics_file": "Fazer upload a um ficheiro iCalendar (.ics).",
+ "sets_a_random_effect": "Define um efeito aleatório.",
+ "sequence_description": "Lista de sequências HSV (máximo 16).",
+ "backgrounds": "Fundos",
+ "initial_brightness": "Brilho inicial.",
+ "range_of_brightness": "Gama de brilho.",
+ "brightness_range": "Gama de brilho",
+ "fade_off": "Desvanecer",
+ "range_of_hue": "Gama de tonalidades.",
+ "hue_range": "Gama de tonalidades",
+ "initial_hsv_sequence": "Sequência inicial de HSV.",
+ "initial_states": "Estados iniciais",
+ "random_seed": "Semente aleatória",
+ "range_of_saturation": "Gama de saturação.",
+ "saturation_range": "Intervalo de saturação",
+ "segments_description": "Lista de segmentos (0 para todos).",
+ "segments": "Segmentos",
+ "transition": "Transição",
+ "range_of_transition": "Gama de transição.",
+ "transition_range": "Gama de transição",
+ "random_effect": "Efeito aleatório",
+ "sets_a_sequence_effect": "Define um efeito de sequência.",
+ "repetitions_for_continuous": "Repetições (0 para contínuo).",
+ "repeats": "Repetições",
+ "sequence": "Sequência",
+ "speed_of_spread": "Velocidade da dispersão",
+ "spread": "Dispersão",
+ "sequence_effect": "Efeito de sequência",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Altera a sirene ligada/desligada",
+ "turns_the_siren_off": "Desliga a sirene.",
+ "turns_the_siren_on": "Liga a sirene.",
+ "brightness_value": "Valor do brilho",
+ "a_human_readable_color_name": "Um nome inteligível para o nome da cor.",
+ "color_name": "Nome da cor",
+ "color_temperature_in_mireds": "Cor da temperatura em mireds.",
+ "light_effect": "Efeito de luz.",
+ "hue_sat_color": "Tonalidade/Saturação da Cor",
+ "color_temperature_in_kelvin": "Temperatura da cor em Kelvin.",
+ "profile_description": "Nome de um perfil de luz a utilizar.",
+ "rgbw_color": "Cor RGBW",
+ "rgbww_color": "Cor RGBWW",
+ "white_description": "Colocar a luz no modo branco.",
+ "xy_color": "Cor XY",
+ "turn_off_description": "Envia o comando de desligar.",
+ "brightness_step_description": "Altera o brilho por qualquer valor",
+ "brightness_step_value": "Valor da variação do brilho",
+ "brightness_step_pct_description": "Altera o brilho por uma percentagem.",
+ "brightness_step": "Variação do brilho",
+ "toggles_the_helper_on_off": "Altera o auxiliar ligado/desligado.",
+ "turns_off_the_helper": "Desliga o auxiliar.",
+ "turns_on_the_helper": "Liga o auxiliar.",
+ "pauses_the_mowing_task": "Pausa a tarefa de corte.",
+ "starts_the_mowing_task": "Inicia a tarefa de cortar a relva.",
+ "creates_a_new_backup": "Cria um novo backup",
"sets_the_value": "Define o valor.",
- "the_target_value": "The target value.",
+ "enter_your_text": "Introduza o seu texto.",
+ "set_value": "Definir valor",
+ "clear_lock_user_code_description": "Remove um código de utilizador de uma fechadura.",
+ "code_slot_description": "Slot de código para definir o código.",
+ "code_slot": "Slot de código",
+ "clear_lock_user": "Remover utilizador da fechadura",
+ "disable_lock_user_code_description": "Desativa um código de utilizador numa fechadura.",
+ "code_slot_to_disable": "Slot de código a desativar.",
+ "disable_lock_user": "Desativa utilizador da fechadura",
+ "enable_lock_user_code_description": "Ativa um código de utilizador numa fechadura.",
+ "code_slot_to_enable": "Slot de código a ativar.",
+ "enable_lock_user": "Ativa utilizador da fechadura.",
+ "args_description": "Argumentos a passar ao dispositivo.",
+ "args": "Args",
+ "cluster_id_description": "Cluster ZCL para o qual recuperar atributos.",
+ "cluster_id": "ID do Cluster",
+ "type_of_the_cluster": "Tipo do cluster",
+ "cluster_type": "Tipo de cluster",
+ "command_description": "Comando(s) a enviar para o Assistente do Google.",
"command": "Comando",
- "device_description": "ID do dispositivo ao qual enviar o comando.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Diferir segundos",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Desligar uma ou mais luzes.",
- "turn_on_description": "Inicia uma tarefa de limpeza.",
+ "command_type_description": "O tipo de comando a ser aprendido.",
+ "command_type": "Tipo de comando",
+ "endpoint_id_description": "ID do dispositivo final do cluster.",
+ "endpoint_id": "ID do dispositivo final",
+ "ieee_description": "Endereço IEEE do dispositivo.",
+ "ieee": "IEEE",
+ "params_description": "Parâmetros a passar ao comando.",
+ "params": "Parâmetros",
+ "issue_zigbee_cluster_command": "Emitir um comando de cluster zigbee",
+ "group_description": "Endereço hexadecimal do grupo.",
+ "issue_zigbee_group_command": "Emitir um comando de grupo zigbee",
+ "permit_description": "Permite que os nodos se juntem à rede Zigbee.",
+ "time_to_permit_joins": "Tempo para permitir adesões",
+ "install_code": "Código de instalação",
+ "qr_code": "Código QR",
+ "source_ieee": "Origem IEEE",
+ "permit": "Permitir",
+ "remove_description": "Remove um nó da rede Zigbee.",
+ "set_lock_user_code_description": "Define um código de utilizador numa fechadura.",
+ "code_to_set": "Código a definir.",
+ "set_lock_user_code": "Defina o código de utilizador do bloqueio",
+ "attribute_description": "ID do atributo a definir.",
+ "value_description": "O valor-alvo a definir.",
+ "set_zigbee_cluster_attribute": "Definir atributo de cluster zigbee",
+ "level": "Nível",
+ "strobe": "Estroboscópio",
+ "warning_device_squawk": "Aviso sonoro do dispositivo",
+ "duty_cycle": "Ciclo de trabalho",
+ "intensity": "Intensidade",
+ "warning_device_starts_alert": "O dispositivo de aviso inicia o alerta",
+ "dump_log_objects": "Despejar objetos de registo",
+ "log_current_tasks_description": "Regista todas as tarefas asyncio atuais.",
+ "log_current_asyncio_tasks": "Registar as tarefas asyncio atuais",
+ "log_event_loop_scheduled": "Ciclo de eventos de registo programado",
+ "log_thread_frames_description": "Regista as molduras actuais de todas as threads.",
+ "log_thread_frames": "Molduras de fios de toros",
+ "lru_stats_description": "Regista as estatísticas de todas as caches LRU.",
+ "log_lru_stats": "Registar as estatísticas LRU",
+ "starts_the_memory_profiler": "Inicia o perfilador de memória.",
+ "seconds": "Segundos",
+ "memory": "Memória",
+ "set_asyncio_debug_description": "Ativar ou desativar a depuração asyncio.",
+ "enabled_description": "Para ativar ou desativar a depuração asyncio.",
+ "set_asyncio_debug": "Definir depuração asyncio",
+ "starts_the_profiler": "Inicia o Profiler.",
+ "max_objects_description": "O número máximo de objetos a registar.",
+ "maximum_objects": "Máximo de objetos",
+ "scan_interval_description": "O número de segundos entre objetos de registo.",
+ "scan_interval": "Intervalo de varrimento",
+ "start_logging_object_sources": "Iniciar o registo de fontes de objetos",
+ "start_log_objects_description": "Inicia o registo do crescimento de objetos na memória.",
+ "start_logging_objects": "Iniciar o registo de objetos",
+ "stop_logging_object_sources": "Parar de registar fontes de objetos",
+ "stop_log_objects_description": "Interrompe o crescimento do registo de objetos na memória.",
+ "stop_logging_objects": "Parar de registar objetos",
+ "set_default_level_description": "Define o nível de log predefinido para as integrações.",
+ "level_description": "Nível de gravidade predefinido para todas as integrações.",
+ "set_default_level": "Definir nível predefinido",
+ "set_level": "Definir nível",
+ "stops_a_running_script": "Interrompe um script em execução.",
+ "clear_skipped_update": "Limpar atualizações ignoradas",
+ "install_update": "Instalar atualização",
+ "skip_description": "Marca a atualização atualmente disponível como ignorada.",
+ "skip_update": "Ignorar atualização",
+ "decrease_speed_description": "Diminui a velocidade de uma ventoinha.",
+ "decrease_speed": "Diminuir a velocidade",
+ "increase_speed_description": "Aumenta a velocidade de uma ventoinha.",
+ "increase_speed": "Aumentar a velocidade",
+ "oscillate_description": "Controla a oscilação de um ventilador.",
+ "turns_oscillation_on_off": "Liga/desliga a oscilação.",
+ "set_direction_description": "Define a direção de rotação de uma ventoinha.",
+ "direction_description": "Direção de rotação da ventoinha.",
+ "set_direction": "Definir direção",
+ "set_percentage_description": "Define a velocidade de uma ventoinha.",
+ "speed_of_the_fan": "Velocidade da ventoinha.",
+ "percentage": "Percentagem",
+ "set_speed": "Definir velocidade",
+ "sets_preset_fan_mode": "Define o modo de ventilação predefinido.",
+ "preset_fan_mode": "Modo predefinido da ventoinha.",
+ "set_preset_mode": "Definir modo pré-definido",
+ "toggles_a_fan_on_off": "Liga/desliga uma ventoinha.",
+ "turns_fan_off": "Desliga a ventoinha.",
+ "turns_fan_on": "Liga a ventoinha.",
"set_datetime_description": "Define a data e/ou a hora.",
"the_target_date": "A data alvo.",
"datetime_description": "A data & hora alvo.",
"date_time": "Data & Hora",
"the_target_time": "A hora alvo",
- "creates_a_new_backup": "Cria um novo backup",
+ "log_description": "Cria um registo personalizado no log",
+ "entity_id_description": "Leitores de multimédia para reproduzirem a mensagem.",
+ "message_description": "Corpo da mensagem da notificação.",
+ "log": "Log",
+ "request_sync_description": "Envia um comando request_sync para o Google.",
+ "agent_user_id": "ID do utilizador do agente",
+ "request_sync": "Pedir sincronização",
"apply_description": "Ativa um cenário com configuração.",
"entities_description": "Lista de entidades e o seu estado alvo.",
"entities_state": "Estado das entidades",
- "transition": "Transição",
"apply": "Aplicar",
"creates_a_new_scene": "Cria um novo cenário.",
+ "entity_states": "Entity states",
"scene_id_description": "O ID de entidade do novo cenário.",
"scene_entity_id": "ID de entidade do cenário",
- "snapshot_entities": "Obter imagem das entidades",
+ "entities_snapshot": "Entities snapshot",
"delete_description": "Apaga um cenário criado de forma dinâmica.",
"activates_a_scene": "Ativa um cenário.",
- "closes_a_valve": "Fecha uma válvula.",
- "opens_a_valve": "Abre uma válvula.",
- "set_valve_position_description": "Move a válvula para uma posição específica.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Para o movimento da válvula.",
- "toggles_a_valve_open_closed": "Altera a válvula aberta/fechada.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
- "sets_a_random_effect": "Sets a random effect.",
- "sequence_description": "List of HSV sequences (Max 16).",
- "backgrounds": "Backgrounds",
- "initial_brightness": "Initial brightness.",
- "range_of_brightness": "Range of brightness.",
- "brightness_range": "Brightness range",
- "fade_off": "Fade off",
- "range_of_hue": "Range of hue.",
- "hue_range": "Hue range",
- "initial_hsv_sequence": "Initial HSV sequence.",
- "initial_states": "Initial states",
- "random_seed": "Random seed",
- "range_of_saturation": "Range of saturation.",
- "saturation_range": "Saturation range",
- "segments_description": "List of Segments (0 for all).",
- "segments": "Segments",
- "range_of_transition": "Range of transition.",
- "transition_range": "Transition range",
- "random_effect": "Random effect",
- "sets_a_sequence_effect": "Sets a sequence effect.",
- "repetitions_for_continuous": "Repetitions (0 for continuous).",
- "repetitions": "Repetitions",
- "sequence": "Sequence",
- "speed_of_spread": "Speed of spread.",
- "spread": "Spread",
- "sequence_effect": "Sequence effect",
+ "reload_themes_description": "Recarrega os temas a partir da configuração YAML.",
+ "reload_themes": "Recarregar temas",
+ "name_of_a_theme": "Nome de um tema.",
+ "set_the_default_theme": "Definir o tema predefinido",
+ "decrement_description": "Diminui o valor atual em 1 passo.",
+ "increment_description": "Aumenta o valor atual em 1 passo.",
+ "reset_description": "Repõe um contador no seu valor inicial.",
+ "set_value_description": "Define o valor de um número.",
"check_configuration": "Valida a configuração",
"reload_all": "Recarregar tudo",
"reload_config_entry_description": "Recarrega a entrada de configuração especificada.",
@@ -3142,9 +3564,165 @@
"generic_toggle": "Alternar genérico",
"generic_turn_off": "Desativação genérica.",
"generic_turn_on": "Ativação genérica.",
- "entity_id_description": "Entidade a ser referenciada no registo do log.",
"entities_to_update": "Entidades a atualizar",
"update_entity": "Atualizar entidade",
+ "notify_description": "Envia a mensagem de notificação para os alvos selecionados.",
+ "data": "Dados",
+ "title_for_your_notification": "Título para a sua notificação.",
+ "title_of_the_notification": "Título da notificação",
+ "send_a_persistent_notification": "Envia uma notificação persistente",
+ "sends_a_notification_message": "Envia uma mensagem de notificação.",
+ "your_notification_message": "A sua mensagem de notificação.",
+ "title_description": "Título opcional da notificação.",
+ "send_a_notification_message": "Enviar uma mensagem de notificação",
+ "send_magic_packet": "Enviar pacote mágico",
+ "topic_to_listen_to": "Tópico a subscrever",
+ "topic": "Tópico",
+ "export": "Exportar",
+ "publish_description": "Publica uma mensagem num tópico MQTT.",
+ "evaluate_payload": "Avaliar carga.",
+ "the_payload_to_publish": "O payload a ser publicado.",
+ "payload": "Payload",
+ "payload_template": "Template de Payload",
+ "qos": "QoS",
+ "retain": "Reter",
+ "topic_to_publish_to": "Tópico para publicar.",
+ "publish": "Publicar",
+ "load_url_description": "Carrega um URL no Fully Kiosk Browser.",
+ "url_to_load": "URL a carregar.",
+ "load_url": "Carregar URL",
+ "configuration_parameter_to_set": "Parâmetro de configuração a definir.",
+ "key": "Chave",
+ "set_configuration": "Definir Configuração",
+ "application_description": "Nome do pacote da aplicação a iniciar.",
+ "start_application": "Iniciar Aplicação",
+ "battery_description": "Nível da bateria do dispositivo.",
+ "gps_coordinates": "Coordenadas GPS",
+ "gps_accuracy_description": "Precisão das coordenadas GPS.",
+ "hostname_of_the_device": "Nome do anfitrião do dispositivo.",
+ "hostname": "Nome de anfitrião",
+ "mac_description": "Endereço MAC do dispositivo.",
+ "device_description": "ID do dispositivo ao qual enviar o comando.",
+ "delete_command": "Apagar comando",
+ "alternative": "Alternativa",
+ "timeout_description": "Tempo limite para que o comando seja aprendido.",
+ "learn_command": "Aprender comando",
+ "delay_seconds": "Diferir segundos",
+ "hold_seconds": "Aguardar segundos",
+ "send_command": "Enviar comando",
+ "sends_the_toggle_command": "Envia o comando de alternar.",
+ "turn_on_description": "Inicia uma tarefa de limpeza.",
+ "get_weather_forecast": "Obter previsão meteorológica.",
+ "type_description": "Tipo de previsão: diária, horária ou bi-diária.",
+ "forecast_type": "Tipo de previsão",
+ "get_forecast": "Obter previsão",
+ "get_weather_forecasts": "Obter previsões meteorológicas.",
+ "get_forecasts": "Obter previsões",
+ "press_the_button_entity": "Premir o botão entidade.",
+ "enable_remote_access": "Ativar o acesso remoto",
+ "disable_remote_access": "Desativar o acesso remoto",
+ "create_description": "Exibe a mensagem no painel de notificações.",
+ "notification_id": "ID da notificação",
+ "dismiss_description": "Apaga uma notificação do painel de notificações.",
+ "notification_id_description": "ID da notificação a ser apagada.",
+ "dismiss_all_description": "Apaga todas as notificações do painel de notificações.",
+ "locate_description": "Localiza o robot aspirador.",
+ "pauses_the_cleaning_task": "Pausa a tarefa de limpeza.",
+ "send_command_description": "Envia um comando para o aspirador.",
+ "set_fan_speed": "Definir a velocidade da ventoinha",
+ "start_description": "Inicia ou retoma a tarefa de limpeza.",
+ "start_pause_description": "Inicia, pausa ou retoma a tarefa de limpeza.",
+ "stop_description": "Para a tarefa de limpeza em curso.",
+ "toggle_description": "Liga/desliga um leitor multimédia.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Campainha alvo",
+ "ringtone_to_play": "Tom de toque a tocar.",
+ "ringtone": "Tom de toque",
+ "play_chime": "Tocar campainha",
+ "ptz_move_description": "Move a câmara a uma velocidade específica.",
+ "ptz_move_speed": "Velocidade do movimento PTZ.",
+ "ptz_move": "Movimento PTZ",
+ "disables_the_motion_detection": "Desativa a deteção de movimento.",
+ "disable_motion_detection": "Desativar a deteção de movimento",
+ "enables_the_motion_detection": "Ativa a deteção de movimento.",
+ "enable_motion_detection": "Ativar a deteção de movimento",
+ "format_description": "Formato de fluxo suportado pelo leitor multimédia.",
+ "format": "Formato",
+ "media_player_description": "Leitores multimédia para transmitir.",
+ "play_stream": "Reproduzir fluxo",
+ "filename_description": "Caminho completo para o ficheiro. Tem de ser mp4.",
+ "filename": "Nome de ficheiro",
+ "lookback": "Retrospetiva",
+ "snapshot_description": "Tira uma fotografia a partir de uma câmara.",
+ "full_path_to_filename": "Caminho completo para o ficheiro.",
+ "take_snapshot": "Tirar uma fotografia",
+ "turns_off_the_camera": "Desliga a câmara.",
+ "turns_on_the_camera": "Liga a câmara.",
+ "reload_resources_description": "Recarrega recursos de painel a partir da configuração YAML.",
+ "clear_tts_cache": "Limpar a cache TTS",
+ "cache": "Cache",
+ "language_description": "Idioma do texto. A predefinição é o idioma do servidor.",
+ "options_description": "Um dicionário contendo opções específicas de integração.",
+ "say_a_tts_message": "Fala uma mensagem TTS",
+ "media_player_entity": "Entidade leitora de multimédia",
+ "speak": "Fala",
+ "send_text_command": "Enviar comando de texto",
+ "the_target_value": "O valor alvo.",
+ "removes_a_group": "Remove um grupo",
+ "object_id": "ID do objeto",
+ "creates_updates_a_group": "Cria/atualiza um grupo.",
+ "add_entities": "Adicionar entidades",
+ "icon_description": "Nome do ícone do grupo.",
+ "name_of_the_group": "Nome do grupo",
+ "remove_entities": "Remover entidades",
+ "locks_a_lock": "Tranca uma fechadura.",
+ "code_description": "Código para armar o alarme.",
+ "opens_a_lock": "Abre uma fechadura.",
+ "unlocks_a_lock": "Destranca uma fechadura.",
+ "announce_description": "Permitir ao satélite anunciar a mensagem.",
+ "media_id": "ID da media",
+ "the_message_to_announce": "A mensagem a anunciar",
+ "announce": "Anunciar",
+ "reloads_the_automation_configuration": "Recarrega a configuração de automatização.",
+ "trigger_description": "Desencadeia as acções de uma automatização.",
+ "skip_conditions": "Saltar condições",
+ "trigger": "Gatilho",
+ "disables_an_automation": "Desativa uma automatização.",
+ "stops_currently_running_actions": "Interrompe as acções em execução.",
+ "stop_actions": "Parar acções",
+ "enables_an_automation": "Ativa uma automatização.",
+ "deletes_all_log_entries": "Apaga todos os registos do log.",
+ "write_log_entry": "Escrever registo no log.",
+ "log_level": "Nível do log.",
+ "message_to_log": "Mensagem a registar.",
+ "write": "Escrever",
+ "dashboard_path": "Caminho do painel de controlo",
+ "view_path": "Ver caminho",
+ "show_dashboard_view": "Mostrar a vista do painel de controlo",
+ "process_description": "Inicia uma conversa a partir de um texto transcrito.",
+ "agent": "Agente",
+ "conversation_id": "ID da conversa",
+ "transcribed_text_input": "Entrada de texto transcrito.",
+ "process": "Processo",
+ "reloads_the_intent_configuration": "Recarrega a configuração de intenções.",
+ "conversation_agent_to_reload": "Agente de conversação a recarregar.",
+ "closes_a_cover": "Fecha uma cobertura.",
+ "close_cover_tilt_description": "Inclina uma cobertura para fechar.",
+ "close_tilt": "Inclinação para fechar",
+ "opens_a_cover": "Abre uma cobertura.",
+ "tilts_a_cover_open": "Inclina uma cobertura para abrir.",
+ "open_tilt": "Inclinação aberta",
+ "set_cover_position_description": "Desloca uma tampa para uma posição específica.",
+ "target_position": "Posição alvo.",
+ "set_position": "Define posição",
+ "target_tilt_positition": "Posição de inclinação alvo.",
+ "set_tilt_position": "Definir a posição de inclinação",
+ "stops_the_cover_movement": "Pára o movimento da cobertura.",
+ "stop_cover_tilt_description": "Pára um movimento de inclinação da cobertura.",
+ "stop_tilt": "Parar a inclinação",
+ "toggles_a_cover_open_closed": "Alterna uma cobertura entre aberta/fechada.",
+ "toggle_cover_tilt_description": "Alterna a inclinação da cobertura entre aberta/fechada.",
+ "toggle_tilt": "Alterna a inclinação",
"turns_auxiliary_heater_on_off": "Liga/desliga o aquecimento auxiliar.",
"aux_heat_description": "Novo valor para o aquecedor auxiliar.",
"turn_on_off_auxiliary_heater": "Ligar/desligar aquecedor auxiliar",
@@ -3157,7 +3735,6 @@
"hvac_operation_mode": "Modo de operação do sistema HVAC.",
"set_hvac_mode": "Definir modo do HVAC",
"sets_preset_mode": "Define o modo de operação pré-definido.",
- "set_preset_mode": "Set preset mode",
"set_swing_horizontal_mode_description": "Define o modo de operação de oscilação horizontal.",
"horizontal_swing_operation_mode": "Mode de operação de oscilação horizontal.",
"set_horizontal_swing_mode": "Definir modo de oscilação horizontal",
@@ -3171,130 +3748,40 @@
"set_target_temperature": "Definir temperatura pretendida",
"turns_climate_device_off": "Desliga a climatização.",
"turns_climate_device_on": "Liga a climatização.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Valor para o parâmetro de configuração.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
+ "apply_filter": "Aplicar filtro",
+ "days_to_keep": "Dias para guardar",
+ "repack": "Reembalar",
+ "purge": "Purgar",
+ "domains_to_remove": "Domínios a remover",
+ "entity_globs_to_remove": "Globos de entidade a remover",
+ "entities_to_remove": "Entidades a remover",
+ "purge_entities": "Purga entidades",
+ "clear_playlist_description": "Remove todos os itens da lista de reprodução.",
+ "clear_playlist": "Limpar lista de reprodução",
+ "selects_the_next_track": "Seleciona a faixa seguinte.",
+ "pauses": "Faz pausa.",
+ "starts_playing": "Começa a tocar.",
+ "toggles_play_pause": "Alterna entre reprodução/pausa.",
"selects_the_previous_track": "Seleciona a pista anterior.",
"seek": "Procura",
"stops_playing": "Para de reproduzir.",
"starts_playing_specified_media": "Começa a reproduzir o media especificado.",
- "announce": "Anúncio",
"enqueue": "Colocar na fila",
"repeat_mode_to_set": "O modo repetir está ativo.",
"select_sound_mode_description": "Seleciona um modo de som específico.",
"select_sound_mode": "Selecionar o modo de som",
"select_source": "Selecionar origem",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Nível",
+ "shuffle_description": "Se o modo aleatório está ou não ativado.",
+ "unjoin": "Desanexar",
+ "turns_down_the_volume": "Diminui o volume.",
+ "turn_down_volume": "Diminuir o volume",
+ "volume_mute_description": "Silencia ou ativa o som do leitor multimédia.",
+ "is_volume_muted_description": "Define se é ou não silenciado.",
+ "mute_unmute_volume": "Volume silenciar/ativar",
+ "sets_the_volume_level": "Define o nível de volume.",
"set_volume": "Definir o volume",
"turns_up_the_volume": "Aumenta o volume.",
"turn_up_volume": "Aumentar o volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Nome de anfitrião",
- "mac_description": "MAC address of the device.",
- "see": "See",
- "brightness_value": "Valor do brilho",
- "a_human_readable_color_name": "Um nome inteligível para o nome da cor.",
- "color_name": "Nome da cor",
- "color_temperature_in_mireds": "Cor da temperatura em mireds.",
- "light_effect": "Efeito de luz.",
- "hue_sat_color": "Tonalidade/Saturação da Cor",
- "color_temperature_in_kelvin": "Temperatura da cor em Kelvin.",
- "profile_description": "Nome de um perfil de luz a utilizar.",
- "rgbw_color": "Cor RGBW",
- "rgbww_color": "Cor RGBWW",
- "white_description": "Colocar a luz no modo branco.",
- "xy_color": "Cor XY",
- "brightness_step_description": "Altera o brilho por qualquer valor",
- "brightness_step_value": "Valor da variação do brilho",
- "brightness_step_pct_description": "Altera o brilho por uma percentagem.",
- "brightness_step": "Variação do brilho",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "create_event_description": "Adiciona um novo evento de calendário.",
- "location_description": "O local do evento.",
- "create_event": "Criar evento",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entidades a remover",
- "purge_entities": "Purge entities",
- "dump_log_objects": "Dump log objects",
- "log_current_tasks_description": "Logs all the current asyncio tasks.",
- "log_current_asyncio_tasks": "Log current asyncio tasks",
- "log_event_loop_scheduled": "Log event loop scheduled",
- "log_thread_frames_description": "Logs the current frames for all threads.",
- "log_thread_frames": "Log thread frames",
- "lru_stats_description": "Logs the stats of all lru caches.",
- "log_lru_stats": "Log LRU stats",
- "starts_the_memory_profiler": "Starts the Memory Profiler.",
- "seconds": "Segundos",
- "memory": "Memória",
- "set_asyncio_debug_description": "Ativar ou desativar a depuração asyncio.",
- "enabled_description": "Para ativar ou desativar a depuração asyncio.",
- "set_asyncio_debug": "Definir depuração asyncio",
- "starts_the_profiler": "Starts the Profiler.",
- "max_objects_description": "The maximum number of objects to log.",
- "maximum_objects": "Maximum objects",
- "scan_interval_description": "The number of seconds between logging objects.",
- "scan_interval": "Scan interval",
- "start_logging_object_sources": "Start logging object sources",
- "start_log_objects_description": "Starts logging growth of objects in memory.",
- "start_logging_objects": "Start logging objects",
- "stop_logging_object_sources": "Stop logging object sources",
- "stop_log_objects_description": "Stops logging growth of objects in memory.",
- "stop_logging_objects": "Stop logging objects",
- "reload_themes_description": "Reloads themes from the YAML-configuration.",
- "reload_themes": "Reload themes",
- "name_of_a_theme": "Name of a theme.",
- "set_the_default_theme": "Set the default theme",
- "clear_tts_cache": "Clear TTS cache",
- "cache": "Cache",
- "language_description": "Language of text. Defaults to server language.",
- "options_description": "Um dicionário contendo opções específicas de integração.",
- "say_a_tts_message": "Fala uma mensagem TTS",
- "media_player_entity_id_description": "Leitores de multimédia para reproduzirem a mensagem.",
- "media_player_entity": "Media player entity",
- "speak": "Fala",
- "reload_resources_description": "Recarrega recursos de painel a partir da configuração YAML.",
- "toggles_the_siren_on_off": "Altera a sirene ligada/desligada",
- "turns_the_siren_off": "Desliga a sirene.",
- "turns_the_siren_on": "Liga a sirene.",
- "toggles_the_helper_on_off": "Altera o auxiliar ligado/desligado.",
- "turns_off_the_helper": "Desliga o auxiliar.",
- "turns_on_the_helper": "Liga o auxiliar.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
"restarts_an_add_on": "Reinicia um add-on.",
"the_add_on_to_restart": "O add-on a reiniciar.",
"restart_add_on": "Reiniciar add-on",
@@ -3333,202 +3820,56 @@
"restore_partial_description": "Restaura a partir de um backup parcial.",
"restores_home_assistant": "Restaura o Home Assistant",
"restore_from_partial_backup": "Restaurar a partir de um backup parcial",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controla a oscilação de um ventilador.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Limpar atualizações ignoradas",
- "install_update": "Instalar atualização",
- "skip_description": "Marca a atualização atualmente disponível como ignorada.",
- "skip_update": "Ignorar atualização",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Armado com um bypass personalizado",
- "alarm_arm_vacation_description": "Define o alarme como: _armado para férias_.",
- "disarms_the_alarm": "Desarma o alarme",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Gatilho",
- "selects_the_first_option": "Selects the first option.",
- "first": "First",
- "selects_the_last_option": "Selects the last option.",
- "selects_the_next_option": "Selects the next option.",
+ "selects_the_first_option": "Seleciona a primeira opção.",
+ "first": "Primeiro",
+ "selects_the_last_option": "Seleciona a última opção.",
+ "select_the_next_option": "Seleciona a opção seguinte.",
"selects_an_option": "Seleciona uma opção.",
"option_to_be_selected": "Opção a ser selecionada.",
"selects_the_previous_option": "Selecciona a opção anterior",
- "disables_the_motion_detection": "Desativa a deteção de movimento.",
- "disable_motion_detection": "Desativar a deteção de movimento",
- "enables_the_motion_detection": "Ativa a deteção de movimento.",
- "enable_motion_detection": "Ativar a deteção de movimento",
- "format_description": "Formato de fluxo suportado pelo leitor multimédia.",
- "format": "Formato",
- "media_player_description": "Leitores multimédia para transmitir.",
- "play_stream": "Reproduzir fluxo",
- "filename_description": "Caminho completo para o ficheiro. Tem de ser mp4.",
- "filename": "Nome de ficheiro",
- "lookback": "Retrospetiva",
- "snapshot_description": "Tira uma fotografia a partir de uma câmara.",
- "full_path_to_filename": "Caminho completo para o ficheiro.",
- "take_snapshot": "Tirar uma fotografia",
- "turns_off_the_camera": "Desliga a câmara.",
- "turns_on_the_camera": "Liga a câmara.",
- "press_the_button_entity": "Premir o botão entidade.",
+ "add_event_description": "Adiciona um novo evento de calendário.",
+ "location_description": "O local do evento. Facultativo.",
"start_date_description": "A data em que o evento de dia inteiro deve começar.",
+ "create_event": "Criar evento",
"get_events": "Obter eventos",
- "select_the_next_option": "Seleciona a opção seguinte.",
- "sets_the_options": "Definir as opções.",
- "list_of_options": "Lista de opções.",
- "set_options": "Definir opções",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Alterna a inclinação",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Cria um registo personalizado no log",
- "message_description": "Corpo da mensagem da notificação.",
- "log": "Log",
- "enter_your_text": "Introduza o seu texto.",
- "set_value": "Definir valor",
- "topic_to_listen_to": "Tópico a subscrever",
- "topic": "Tópico",
- "export": "Exportar",
- "publish_description": "Publica uma mensagem num tópico MQTT.",
- "evaluate_payload": "Avaliar carga.",
- "the_payload_to_publish": "O payload a ser publicado.",
- "payload": "Payload",
- "payload_template": "Template de Payload",
- "qos": "QoS",
- "retain": "Reter",
- "topic_to_publish_to": "Tópico para publicar.",
- "publish": "Publicar",
- "reloads_the_automation_configuration": "Recarrega a configuração de automatização.",
- "trigger_description": "Desencadeia as acções de uma automatização.",
- "skip_conditions": "Saltar condições",
- "disables_an_automation": "Desativa uma automatização.",
- "stops_currently_running_actions": "Interrompe as acções em execução.",
- "stop_actions": "Parar acções",
- "enables_an_automation": "Ativa uma automatização.",
- "enable_remote_access": "Ativar o acesso remoto",
- "disable_remote_access": "Desativar o acesso remoto",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
- "bridge_identifier": "Bridge identifier",
- "configuration_payload": "Configuration payload",
- "entity_description": "Represents a specific device endpoint in deCONZ.",
+ "closes_a_valve": "Fecha uma válvula.",
+ "opens_a_valve": "Abre uma válvula.",
+ "set_valve_position_description": "Move a válvula para uma posição específica.",
+ "stops_the_valve_movement": "Para o movimento da válvula.",
+ "toggles_a_valve_open_closed": "Altera a válvula aberta/fechada.",
+ "bridge_identifier": "Identificador de ponte",
+ "configuration_payload": "Carga útil de configuração",
+ "entity_description": "Representa um ponto final de dispositivo específico no deCONZ.",
"path": "Caminho",
- "configure": "Configure",
- "device_refresh_description": "Refreshes available devices from deCONZ.",
- "device_refresh": "Device refresh",
- "remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Inicia ou retoma a tarefa de limpeza.",
- "start_pause_description": "Inicia, pausa ou retoma a tarefa de limpeza.",
- "stop_description": "Para a tarefa de limpeza em curso.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Alterna um interruptor.",
- "turns_a_switch_off": "Desliga um interruptor.",
- "turns_a_switch_on": "Liga um interruptor.",
+ "configure": "Configurar",
+ "device_refresh_description": "Actualiza os dispositivos disponíveis no deCONZ.",
+ "device_refresh": "Atualização do dispositivo",
+ "remove_orphaned_entries": "Remover entradas órfãs",
+ "calendar_id_description": "O ID do calendário que pretende.",
+ "calendar_id": "ID do calendário",
+ "description_description": "A descrição do evento. Opcional.",
+ "summary_description": "Atua como o título do evento.",
"extract_media_url_description": "Extrair URL multimédia de um serviço.",
"format_query": "Formatar consulta",
"url_description": "URL onde os meios de comunicação podem ser encontrados.",
"media_url": "URL de multimédia",
"get_media_url": "Obter URL de multimédia",
- "play_media_description": "Downloads file from given URL.",
- "notify_description": "Envia a mensagem de notificação para os alvos selecionados.",
- "data": "Dados",
- "title_for_your_notification": "Título para a sua notificação.",
- "title_of_the_notification": "Título da notificação",
- "send_a_persistent_notification": "Envia uma notificação persistente",
- "sends_a_notification_message": "Envia uma mensagem de notificação.",
- "your_notification_message": "A sua mensagem de notificação.",
- "title_description": "Título opcional da notificação.",
- "send_a_notification_message": "Enviar uma mensagem de notificação",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "ID da conversa",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Processo",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Campainha alvo",
- "ringtone_to_play": "Tom de toque a tocar.",
- "ringtone": "Tom de toque",
- "play_chime": "Tocar campainha",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Enviar pacote mágico",
- "send_text_command": "Send text command",
- "announce_description": "Permitir ao satélite anunciar a mensagem.",
- "media_id": "ID da media",
- "the_message_to_announce": "A mensagem a anunciar",
- "deletes_all_log_entries": "Apaga todos os registos do log.",
- "write_log_entry": "Escrever registo no log.",
- "log_level": "Nível do log.",
- "message_to_log": "Mensagem a registar.",
- "write": "Escrever",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Remove um grupo",
- "object_id": "ID do objeto",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Adicionar entidades",
- "icon_description": "Nome do ícone do grupo.",
- "name_of_the_group": "Nome do grupo",
- "remove_entities": "Remover entidades",
- "stops_a_running_script": "Interrompe um script em execução.",
- "create_description": "Exibe a mensagem no painel de notificações.",
- "notification_id": "ID da notificação",
- "dismiss_description": "Apaga uma notificação do painel de notificações.",
- "notification_id_description": "ID da notificação a ser apagada.",
- "dismiss_all_description": "Apaga todas as notificações do painel de notificações.",
- "load_url_description": "Carrega um URL no Fully Kiosk Browser.",
- "url_to_load": "URL a carregar.",
- "load_url": "Carregar URL",
- "configuration_parameter_to_set": "Parâmetro de configuração a definir.",
- "key": "Chave",
- "set_configuration": "Definir Configuração",
- "application_description": "Nome do pacote da aplicação a iniciar.",
- "start_application": "Iniciar Aplicação"
+ "play_media_description": "Descarrega um ficheiro a partir de um determinado URL.",
+ "sets_the_options": "Definir as opções.",
+ "list_of_options": "Lista de opções.",
+ "set_options": "Definir opções",
+ "arm_with_custom_bypass": "Armado com um bypass personalizado",
+ "alarm_arm_vacation_description": "Define o alarme como: _armado para férias_.",
+ "disarms_the_alarm": "Desarma o alarme",
+ "trigger_the_alarm_manually": "Acionar o alarme manualmente.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Termina um temporizador em execução antes do previsto.",
+ "duration_description": "Duração personalizada para reiniciar o temporizador.",
+ "toggles_a_switch_on_off": "Alterna um interruptor.",
+ "turns_a_switch_off": "Desliga um interruptor.",
+ "turns_a_switch_on": "Liga um interruptor."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/ro/ro.json b/packages/core/src/hooks/useLocale/locales/ro/ro.json
index 822fd9d3..5191a887 100644
--- a/packages/core/src/hooks/useLocale/locales/ro/ro.json
+++ b/packages/core/src/hooks/useLocale/locales/ro/ro.json
@@ -1,7 +1,7 @@
{
"energy": "Energie",
"calendar": "Calendar",
- "settings": "Settings",
+ "settings": "Setări",
"overview": "Prezentare generală",
"map": "Map",
"logbook": "Logbook",
@@ -135,12 +135,12 @@
"cancel": "Cancel",
"cancel_number": "Anulează {number}",
"cancel_all": "Anulează toate",
- "idle": "Idle",
+ "idle": "Inactiv",
"run_script": "Rulează scriptul",
"option": "Option",
"installing": "Se instalează",
"installing_progress": "Se instalează ({progress}%)",
- "up_to_date": "Up-to-date",
+ "up_to_date": "La zi",
"empty_value": "(valoare goală)",
"start": "Start",
"finish": "Finish",
@@ -189,7 +189,7 @@
"delete": "Delete",
"delete_all": "Ștergeți tot",
"download": "Descărcare",
- "duplicate": "Duplicate",
+ "duplicate": "Duplică",
"remove": "Remove",
"enable": "Enable",
"disable": "Disable",
@@ -204,7 +204,7 @@
"save": "Salvează",
"add": "Adaugă",
"create": "Create",
- "edit": "Edit",
+ "edit": "Modifică",
"submit": "Trimite",
"rename": "Redenumește",
"search": "Search",
@@ -224,7 +224,7 @@
"copied_to_clipboard": "Copiat în clipboard",
"name": "Name",
"optional": "opțional",
- "default": "Default",
+ "default": "Implicită",
"select_media_player": "Selectează playerul media",
"media_browse_not_supported": "Playerul media nu acceptă răsfoirea conținutului media.",
"pick_media": "Alege Media",
@@ -244,7 +244,7 @@
"selector_options": "Opțiuni selector",
"action": "Acțiune",
"area": "Area",
- "attribute": "Atribut",
+ "attribute": "Attribute",
"boolean": "Boolean",
"condition": "Condiție",
"date": "Date",
@@ -266,6 +266,7 @@
"learn_more_about_templating": "Aflați mai multe despre șabloane.",
"show_password": "Arată parola",
"hide_password": "Ascunde parola",
+ "ui_components_selectors_background_yaml_info": "Imaginea de fundal se setează prin editorul YAML.",
"no_logbook_events_found": "Nu s-au găsit intrări în jurnal.",
"triggered_by": "declanșat de",
"triggered_by_automation": "declanșat de către automatizarea",
@@ -280,43 +281,43 @@
"logbook_triggered_by_homeassistant_starting": "declanșat de pornirea Home Assistant",
"traces": "Urme",
"could_not_load_logbook": "Nu s-a putut încărca jurnalul",
- "was_detected_away": "was detected away",
+ "was_detected_away": "a fost detectat plecat",
"was_detected_at_state": "a fost detectat la {state}",
"rose": "a răsărit",
"set": "Set",
- "was_low": "was low",
- "was_normal": "was normal",
- "was_connected": "was connected",
- "was_disconnected": "was disconnected",
- "was_opened": "was opened",
- "was_closed": "was closed",
+ "was_low": "a fost scăzut(ă)",
+ "was_normal": "a fost normal(ă)",
+ "was_connected": "s-a conectat",
+ "was_disconnected": "s-a deconectat",
+ "was_opened": "s-a deschis",
+ "was_closed": "s-a închis",
"is_opening": "se deschide",
"is_opened": "este deschis",
"is_closing": "se închide",
- "was_unlocked": "was unlocked",
- "was_locked": "was locked",
+ "was_unlocked": "s-a descuiat",
+ "was_locked": "s-a încuiat",
"is_unlocking": "se descuie",
"is_locking": "se încuie",
"is_jammed": "este blocată",
- "was_plugged_in": "was plugged in",
- "was_unplugged": "was unplugged",
- "was_detected_at_home": "was detected at home",
- "was_unsafe": "was unsafe",
- "was_safe": "was safe",
- "detected_device_class": "detected {device_class}",
- "cleared_no_device_class_detected": "cleared (no {device_class} detected)",
+ "was_plugged_in": "a fost branșat",
+ "was_unplugged": "a fost debranșat",
+ "was_detected_at_home": "a fost detectat acasă",
+ "was_unsafe": "a devenit nesigur(ă)",
+ "was_safe": "a devenit sigur(ă)",
+ "detected_device_class": "a detectat {device_class}",
+ "cleared_no_device_class_detected": "s-a eliberat (nu a mai detectat {device_class})",
"turned_off": "s-a oprit",
"turned_on": "a pornit",
"changed_to_state": "s-a schimbat în {state}",
"became_unavailable": "a devenit indisponibil",
"became_unknown": "a devenit necunoscut(ă)",
- "detected_tampering": "detected tampering",
- "cleared_tampering": "cleared tampering",
+ "detected_tampering": "a detectat efracție",
+ "cleared_tampering": "efracție încetată",
"event_type_event_detected": "a fost detectat un eveniment {event_type}",
"detected_an_event": "a detectat un eveniment",
"detected_an_unknown_event": "a detectat un eveniment necunoscut",
- "started_charging": "started charging",
- "stopped_charging": "stopped charging",
+ "started_charging": "a început să se încarce",
+ "stopped_charging": "nu se mai încarcă",
"ui_components_logbook_triggered_by_service": "declanșat de către serviciul",
"no_entities": "Nu există entități",
"no_matching_entities_found": "Nu a fost găsită nicio entitate potrivită",
@@ -438,18 +439,17 @@
"add_file": "Adaugă fișier",
"file_upload_secondary": "Sau aruncă fișierul aici",
"add_picture": "Adaugă imagine",
- "clear_picture": "Clear picture",
+ "clear_picture": "Șterge imaginea",
"current_picture": "Imaginea actuală",
"picture_upload_supported_formats": "Acceptă imagini JPEG, PNG sau GIF.",
- "picture_upload_secondary": "Drop your file here or {select_media}",
- "select_from_media": "select from media",
+ "picture_upload_secondary": "Aruncă fișierul aici sau {select_media}",
+ "select_from_media": "alege din media",
"ui_components_picture_upload_change_picture": "Schimbă imaginea",
- "state_color": "State color",
- "no_color": "No color",
+ "state_color": "Culoarea stării",
+ "no_color": "Fără culoare",
"primary": "Primary",
"accent": "Accent",
"disabled": "Dezactivată",
- "inactive": "Inactiv",
"red": "Roșu",
"pink": "Roz",
"purple": "Mov",
@@ -496,8 +496,8 @@
"unable_to_load_history": "Nu s-a putut încărca istoricul",
"source_history": "Sursa: Istorie",
"source_long_term_statistics": "Sursa: Statistici pe termen lung",
- "history_charts_zoom_hint": "Use ctrl + scroll to zoom in/out",
- "history_charts_zoom_hint_mac": "Use ⌘ + scroll to zoom in/out",
+ "history_charts_zoom_hint": "Folosește Ctrl + scroll pentru a mări/micșora",
+ "history_charts_zoom_hint_mac": "Folosește ⌘ + scroll pentru a mări/micșora",
"reset_zoom": "Resetează zoom",
"unable_to_load_map": "Imposibil de încărcat harta",
"loading_statistics": "Se încarcă statisticile",
@@ -529,7 +529,7 @@
"hide_column_title": "Ascundeți coloana {title}",
"show_column_title": "Afișați coloana {title}",
"restore_defaults": "Restabiliți valorile implicite",
- "advanced_controls": "Advanced controls",
+ "advanced_controls": "Comenzi avansate",
"tone": "Tone",
"volume": "Volume",
"message": "Message",
@@ -558,6 +558,7 @@
"delete_count": "Șterge {count}",
"deleting_count": "Se șterg {count}",
"storage": "Stocare",
+ "ui_components_media_browser_file_management_deselect_all": "Deselectează tot",
"album": "Album",
"app": "Aplicație",
"artist": "Artist",
@@ -577,7 +578,7 @@
"url": "URL",
"video": "Videoclip",
"media_browser_media_player_unavailable": "Playerul media selectat nu este disponibil.",
- "auto": "Automat",
+ "auto": "Auto",
"grid": "Grid",
"list": "Listă",
"task_name": "Numele sarcinii",
@@ -605,7 +606,7 @@
"update_only_this_event": "Actualizează doar acest eveniment",
"update_all_future_events": "Actualizează toate evenimentele viitoare",
"repeat": "Repeat",
- "no_repeat": "No repeat",
+ "no_repeat": "Nu se repetă",
"yearly": "Anual",
"monthly": "Lunar",
"weekly": "Săptămânal",
@@ -649,12 +650,13 @@
"increase_temperature": "Crește temperatura",
"decrease_temperature": "Scade temperatura",
"copy_to_clipboard": "Copiere în clipboard",
- "yaml_editor_error": "Error in parsing YAML: {reason}",
- "line_line_column_column": "line: {line}, column: {column}",
+ "yaml_editor_error": "Eroare la analizarea YAML: {reason}",
+ "line_line_column_column": "linie: {line}, coloană: {column}",
"last_changed": "Schimbat ultima dată",
"last_updated": "Ultima actualizare",
"remaining_time": "Timp rămas",
"install_status": "Starea instalării",
+ "ui_components_multi_textfield_add_item": "Adaugă {item}",
"safe_mode": "Safe mode",
"all_yaml_configuration": "Toate configurațiile YAML",
"domain": "Domain",
@@ -716,7 +718,7 @@
"add_on_store": "Magazin de add-on-uri",
"addon_info": "Informații {addon}",
"search_entities": "Caută entități",
- "search_devices": "Search devices",
+ "search_devices": "Caută dispozitive",
"quick_search": "Căutare rapidă",
"nothing_found": "Nimic găsit!",
"assist": "Assist",
@@ -731,12 +733,12 @@
"start_listening": "Începe să asculți",
"manage_assistants": "Gestionare asistenți",
"the_documentation": "documentația",
- "voice_command_unknown_error_load_assist": "Loading the assist pipeline failed",
- "voice_command_not_found_error_load_assist": "Cannot find the assist pipeline",
+ "voice_command_unknown_error_load_assist": "A eșuat încărcarea căii de asistență",
+ "voice_command_not_found_error_load_assist": "Nu s-a putut găsi calea de asistență",
"are_you_sure": "Ești sigur?",
- "crop": "Decupează",
+ "cut": "Decupează",
"picture_to_crop": "Imagine de decupat",
- "use_original": "Use original",
+ "use_original": "Folosește originalul",
"dismiss_dialog": "Înlătură",
"edit_entity": "Edit entity",
"details": "Detalii",
@@ -759,7 +761,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Creaza backup înainte de actualizare",
"update_instructions": "Instrucțiuni de actualizare",
"current_activity": "Activitate curentă",
- "status": "Stare",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Comenzi aspirator:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -789,12 +791,12 @@
"turn_off_oscillating": "Oprește oscilația",
"activity": "Activity",
"lawn_mower_commands": "Comenzi pentru mașina de tuns iarba",
- "download_snapshot": "Download snapshot",
+ "download_snapshot": "Descarcă instantaneu",
"control": "Control",
"default_code": "Cod implicit",
"editor_default_code_error": "Codul nu are formatul potrivit",
"entity_id": "Entity ID",
- "unit": "Unitate de măsură",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "Unitatea de măsură a precipitațiilor",
"display_precision": "Precizie",
"default_value": "Implicit ({value})",
@@ -815,7 +817,7 @@
"cold": "Frig",
"connectivity": "Conectivitate",
"gas": "Gaz metan",
- "heat": "Căldură",
+ "heat": "Heat",
"light": "Lumină",
"moisture": "Umezeală",
"motion": "Mișcare",
@@ -877,7 +879,7 @@
"restart_home_assistant": "Repornești Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Reîncărcare rapidă",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Reîncărcare configurație",
"failed_to_reload_configuration": "Nu a reușit reîncărcarea configurației",
"restart_description": "Întrerupe toate automatizările și scripturile în curs de rulare.",
@@ -906,8 +908,8 @@
"password": "Password",
"regex_pattern": "Tipar Regex",
"used_for_client_side_validation": "Folosit pentru validarea de pe partea clientului",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Câmp de introducere",
"slider": "Glisor",
"step_size": "Dimensiunea pasului",
@@ -918,8 +920,8 @@
"initial_value": "Valoare inițială",
"schedule_confirm_delete": "Vrei să ștergi acest element?",
"edit_schedule_block": "Edit schedule block",
- "additional_data": "Additional data",
- "advanced_settings": "Advanced settings",
+ "additional_data": "Date suplimentare",
+ "advanced_settings": "Setări avansate",
"loading_loading_step": "Se încarcă următorul pas pentru {integration}",
"options_successfully_saved": "Opțiunile salvate cu succes.",
"repair_issue": "Repară problemă",
@@ -931,8 +933,8 @@
"configuring": "Se configurează",
"start_reconfiguration": "Pornire reconfigurare",
"device_reconfiguration_complete": "Reconfigurarea dispozitivului finalizată",
- "show_details": "Show details",
- "hide_details": "Hide details",
+ "show_details": "Arată detalii",
+ "hide_details": "Ascunde detalii",
"cluster": "Cluster",
"binding": "Legătură (binding)",
"reporting": "Raportare",
@@ -953,7 +955,7 @@
"ui_dialogs_zha_device_info_confirmations_remove": "Sigur vrei să elimini dispozitivul?",
"quirk": "Quirk",
"last_seen": "Văzut ultima dată",
- "power_source": "Sursă de alimentare",
+ "power_source": "Power source",
"change_device_name": "Schimbă numele dispozitivului",
"device_debug_info": "Informații de depanare {device}",
"mqtt_device_debug_info_deserialize": "Încearcă analiza mesajelor MQTT ca JSON",
@@ -999,13 +1001,13 @@
"main_answer_existing": "Da. Este deja în uz.",
"main_answer_existing_description": "Dispozitivul meu este conectat la un alt controler.",
"new_playstore": "Get it on Google Play",
- "new_appstore": "Download on the App Store",
+ "new_appstore": "Descarcați de pe App Store",
"existing_question": "La ce controler este conectat?",
"google_home": "Google Home",
"apple_home": "Apple Home",
"other_controllers": "Alte controlere",
"share_from_google_home": "Share from Google Home",
- "tap_linked_matter_apps_services": "Tap {linked_matter_apps_services}.",
+ "tap_linked_matter_apps_services": "Atingeți {linked_matter_apps_services}.",
"google_home_linked_matter_apps_services": "Linked Matter apps and services",
"link_apps_services": "Link apps & services",
"copy_pairing_code": "Copiați codul de împerechere",
@@ -1058,25 +1060,26 @@
"sidebar_toggle": "Comutare bară laterală",
"hide_panel": "Ascunde panou",
"show_panel": "Afișare panou",
- "preparing_home_assistant": "Preparing Home Assistant",
- "landing_page_subheader": "This may take 20 minutes or more",
- "networking_issue_detected": "Networking issue detected",
- "cannot_get_network_information": "Cannot get network information",
- "use_cloudflare_dns": "Use Cloudflare DNS",
- "use_google_dns": "Use Google DNS",
- "failed": "Failed",
- "logs_scroll_down_button": "New logs - Click to scroll",
- "failed_to_fetch_logs": "Failed to fetch logs",
- "retry": "Retry",
- "download_logs": "Download logs",
- "error_installing_home_assistant": "Error installing Home Assistant",
- "read_our_vision": "Read our vision",
- "join_our_community": "Join our community",
- "download_our_app": "Download our app",
- "home_assistant_forums": "Home Assistant forums",
- "welcome_open_home_newsletter": "Building the Open Home newsletter",
+ "preparing_home_assistant": "Se pregătește Home Assistant",
+ "landing_page_subheader": "Poate dura 20 de minute sau mai mult",
+ "networking_issue_detected": "S-a detectat o problemă de rețea",
+ "cannot_get_network_information": "Nu se pot obține informații despre rețea",
+ "use_cloudflare_dns": "Folosește DNS Cloudflare",
+ "use_google_dns": "Folosește DNS Google",
+ "failed": "Eșuat",
+ "logs_scroll_down_button": "Jurnale noi - Click pentru a derula",
+ "failed_to_fetch_logs": "A eșuat obținerea jurnalelor",
+ "retry": "Încearcă din nou",
+ "download_logs": "Descarcă jurnalele",
+ "error_installing_home_assistant": "Eroare la instalarea Home Assistant",
+ "read_our_vision": "Citește viziunea noastră",
+ "join_our_community": "Alătură-te comunității",
+ "download_our_app": "Descarcă aplicația",
+ "home_assistant_forums": "Forumuri Home Assistant",
+ "welcome_open_home_newsletter": "Newsletter-ul „Building the Open Home”",
"discord_chat": "Discord chat",
"mastodon": "Mastodon",
+ "welcome_playstore": "Descarcă de pe Google Play",
"show_more_information": "Afișează mai multe informații",
"actions_no_entity_more_info": "Nu a fost furnizată o entitate pentru dialogul cu mai multe informații",
"actions_no_entity_toggle": "Nu a fost furnizată o entitate pentru comutat",
@@ -1181,26 +1184,27 @@
"add_view": "Adăugă perspectivă",
"background_settings": "Setări de fundal",
"background_image": "Imagine de fundal",
- "background_size": "Background size",
- "original": "Original",
- "fill_view": "Fill view",
- "fit_view": "Fit view",
- "background_alignment": "Background alignment",
- "top_left": "Top left",
- "top_center": "Top center",
- "top_right": "Top right",
- "center_left": "Center left",
- "center": "Center",
- "center_right": "Center right",
- "bottom_left": "Bottom left",
- "bottom_center": "Bottom center",
- "bottom_right": "Bottom right",
+ "background_size": "Dimensiune fundal",
+ "original": "Implicit",
+ "fill_view": "Umple câmpul vizual",
+ "fit_view": "Constrânge în câmpul vizual",
+ "background_alignment": "Aliniere fundal",
+ "top_left": "Stânga sus",
+ "top_center": "Centru sus",
+ "top_right": "Dreapta sus",
+ "center_left": "Centru stânga",
+ "center": "Centrat",
+ "center_right": "Mijloc dreapta",
+ "bottom_left": "Stânga jos",
+ "bottom_center": "Mijloc jos",
+ "bottom_right": "Dreapta jos",
"background_opacity": "Opacitatea fundalului",
- "background_repeat": "Background repeat",
- "repeat_tile": "Repeat (tile)",
- "background_attachment": "Background attachment",
- "scroll": "Scroll",
- "fixed": "Fixed",
+ "background_repeat": "Repetare fundal",
+ "repeat_tile": "Repetare (panou)",
+ "background_attachment": "Ancora fundalului",
+ "scroll": "Derulare",
+ "fixed": "Fix",
+ "ui_panel_lovelace_editor_edit_view_background_transparency": "Transparență fundal",
"edit_view": "Modifică perspectiva",
"move_view_left": "Mută perspectiva spre stânga",
"move_view_right": "Mută perspectiva spre dreapta",
@@ -1217,22 +1221,21 @@
"edit_view_max_columns": "Max number of sections wide",
"sections_view_specific_settings": "Sections view specific settings",
"dense_section_placement": "Dense section placement",
- "edit_in_visual_editor": "Edit in visual editor",
+ "edit_in_visual_editor": "Editează în editorul vizual",
"edit_in_yaml": "Edit in YAML",
"saving_failed": "Salvarea a eșuat",
- "move_to_dashboard": "Move to dashboard",
+ "move_to_dashboard": "Mută în tabloul de bord",
"ui_panel_lovelace_editor_edit_view_tab_badges": "Insigne",
"card_configuration": "Configurație card",
"type_card_configuration": "Configurare card {type}",
- "edit_card_pick_card": "Ce tip de card vrei să adaugi?",
- "toggle_editor": "Toggle editor",
- "you_have_unsaved_changes": "You have unsaved changes",
+ "edit_card_pick_card": "Which card would you like to add?",
+ "toggle_editor": "Comută editor",
+ "you_have_unsaved_changes": "Ai modificări nesalvate",
"edit_card_confirm_cancel": "Ești sigur că vrei să anulezi?",
"show_visual_editor": "Afișează editorul vizual",
"show_code_editor": "Afișează editorul de cod",
"add_card": "Adaugă card",
- "copy": "Copy",
- "cut": "Cut",
+ "copy": "Copiază",
"move_to_view": "Mută în altă perspectivă",
"move_card_before": "Mută cardul înainte",
"move_card_after": "Mută cardul după",
@@ -1243,17 +1246,16 @@
"search_cards": "Căută carduri",
"config": "Config",
"full_width_card": "Full width card",
- "precise_mode": "Precise mode",
- "layout_precise_mode_helper": "Change the card width with more precision",
+ "precise_mode": "Mod precizie",
+ "layout_precise_mode_helper": "Modifică lățimea cardului cu precizie crescută",
"ui_panel_lovelace_editor_edit_card_pick_card_view_title": "Ce card ai vrea să adaugi la perspectiva {name}?",
"badge_configuration": "Badge configuration",
"type_badge_configuration": "{type} Badge configuration",
"edit_badge_pick_badge": "Which badge would you like to add?",
- "edit_badge_confirm_cancel": "Are you sure you want to cancel?",
"add_badge": "Add badge",
- "suggest_badge_header": "We created a suggestion for you",
+ "suggest_card_header": "Am creat o sugestie pentru tine",
"add_to_dashboard": "Adaugă în tablou de bord",
- "move_card_strategy_error_title": "Impossible to move the card",
+ "move_card_strategy_error_title": "Mutarea cardului este imposibilă",
"card_moved_successfully": "Card moved successfully",
"error_while_moving_card": "Error while moving card",
"choose_a_view": "Alege o perspectivă",
@@ -1262,13 +1264,15 @@
"no_config_found": "Nu a fost găsită nicio configurație.",
"select_view_no_views": "Nu există vizualizări în acest tablou de bord.",
"strategy": "strategy",
- "choose_a_dashboard": "Choose a dashboard",
+ "choose_a_dashboard": "Alege un tablou de bord",
"select_dashboard_get_config_failed": "Failed to load selected dashboard config.",
"view_moved_successfully": "View moved successfully",
"create_section": "Create section",
"new_section": "New section",
"imported_cards": "Imported cards",
"ui_panel_lovelace_editor_section_add_section": "Adăugați o secțiune",
+ "ui_panel_lovelace_editor_section_imported_card_section_title_default": "Carduri importate din altă perspectivă",
+ "ui_panel_lovelace_editor_section_imported_card_section_title_view": "Carduri importante din perspectiva „{view_title}”",
"ui_panel_lovelace_editor_section_unnamed_section": "Secțiune fără nume",
"delete_section": "Ștergeți secțiunea",
"ui_panel_lovelace_editor_delete_section_named_section": "Secțiunea „{name}”.",
@@ -1277,7 +1281,6 @@
"ui_panel_lovelace_editor_delete_section_unnamed_section": "Această secțiune",
"edit_section": "Edit section",
"width": "Width",
- "suggest_card_header": "Am creat o sugestie pentru tine",
"pick_different_card": "Alege un alt card",
"save_config_header": "Preia controlul asupra tabloului de bord",
"save_config_empty_config": "Începe cu un tablou de bord gol",
@@ -1342,20 +1345,21 @@
"render_cards_as_squares": "Cardurile desenate sub formă de pătrate",
"history_graph": "History graph",
"logarithmic_scale": "Scară logaritmică",
- "y_axis_minimum": "Y axis minimum",
- "y_axis_maximum": "Y axis maximum",
+ "y_axis_minimum": "Axa Y minim",
+ "y_axis_maximum": "Axa Y maxim",
"history_graph_fit_y_data": "Extindeți limitele axei Y pentru a se potrivi cu datele",
"statistics_graph": "Statistics graph",
"period": "Perioadă",
+ "unit": "Unitate de măsură",
"show_stat_types": "Afișează tipurile de statistici",
"chart_type": "Tipul graficului",
- "line": "Line",
- "bar": "Bar",
+ "line": "Cu linii",
+ "bar": "Cu bare",
"hour": "Oră",
"minutes": "5 minute",
"add_a_statistic": "Adaugă o statistică",
"hide_legend": "Ascunde legenda",
- "statistics_graph_fit_y_data": "Extend Y axis limits to fit data",
+ "statistics_graph_fit_y_data": "Extinde limitele axei Y pentru a se potrivi cu datele",
"show_stat": "Arată statistica",
"horizontal_stack": "Horizontal stack",
"humidifier": "Humidifier",
@@ -1406,10 +1410,9 @@
"content": "Conținut",
"media_control": "Media control",
"picture_elements": "Picture elements",
- "card_options": "Card Options",
- "elements": "Elements",
- "add_new_element": "Add new element",
- "dark_mode_image_path": "Dark mode image path",
+ "card_options": "Opțiuni card",
+ "elements": "Elemente",
+ "dark_mode_image_path": "Calea către imagine pentru modul întunecat",
"state_filter": "State filter",
"dark_mode_state_filter": "Dark mode state filter",
"state_badge": "State badge",
@@ -1424,7 +1427,12 @@
"show_more_detail": "Afișează mai multe detalii",
"graph_type": "Tip grafic",
"to_do_list": "Listă to-do",
- "hide_completed_items": "Hide completed items",
+ "hide_completed_items": "Ascunde elemente bifate",
+ "ui_panel_lovelace_editor_card_todo_list_display_order": "Ordine afișare",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc": "Alfabetic (A-Z)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_desc": "Alfabetic (Z-A)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc": "Data scadenței (cel mai curând mai întâi)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc": "Data scadenței (cel mai târziu mai întâi)",
"thermostat": "Termostat",
"thermostat_show_current_as_primary": "Afișați temperatura curentă ca informație primară",
"tile": "Tile",
@@ -1478,9 +1486,9 @@
"climate_swing_modes": "Climate swing modes",
"swing_modes": "Moduri de baleiaj",
"customize_swing_modes": "Customize swing modes",
- "climate_horizontal_swing_modes": "Climate horizontal swing modes",
+ "climate_horizontal_swing_modes": "Moduri de baleiaj orizontal ale climatizării",
"horizontal_swing_modes": "Horizontal swing modes",
- "customize_horizontal_swing_modes": "Customize horizontal swing modes",
+ "customize_horizontal_swing_modes": "Personalizează modurile de baleiaj orizontal",
"climate_hvac_modes": "Moduri HVAC ale termostatului",
"hvac_modes": "Moduri HVAC",
"customize_hvac_modes": "Customize HVAC modes",
@@ -1540,147 +1548,126 @@
"now": "Now",
"compare_data": "Compară date",
"reload_ui": "Reîncărcă interfața",
- "tag": "Etichetă (tag)",
- "input_datetime": "Intrare dată/oră",
- "solis_inverter": "Solis Inverter",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Cronometru",
- "local_calendar": "Calendar local",
- "intent": "Intent",
- "device_tracker": "Dispozitiv de urmărire",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Intrare booleană",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "tag": "Etichetă (tag)",
+ "media_source": "Media Source",
+ "mobile_app": "Aplicație mobilă",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnosticare",
+ "filesize": "Dimensiune fișier",
+ "group": "Group",
+ "binary_sensor": "Senzor binar",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Selecție",
+ "device_automation": "Device Automation",
+ "person": "Persoană",
+ "input_button": "Intrare buton",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Ventilator",
- "weather": "Vreme",
- "camera": "Cameră",
"schedule": "Program",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automatizare",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Vreme",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversaţie",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Intrare text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climatizare",
- "binary_sensor": "Senzor binar",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automatizare",
+ "system_log": "System Log",
+ "cover": "Acoperitoare",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Acoperitoare",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Calendar local",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Sirenă",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Mașină de tuns iarba",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "auth": "Auth",
- "event": "Eveniment",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Dispozitiv de urmărire",
+ "remote": "Telecomandă",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Aspirator",
+ "reolink": "Reolink",
+ "camera": "Cameră",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Telecomandă",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Contor",
- "filesize": "Dimensiune fișier",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Intrare număr",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Verificare alimentator Raspberry Pi",
+ "conversation": "Conversaţie",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climatizare",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Intrare booleană",
- "lawn_mower": "Mașină de tuns iarba",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Eveniment",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Panou de control alarmă",
- "input_select": "Selecție",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Aplicație mobilă",
+ "timer": "Cronometru",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Intrare dată/oră",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Contor",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Date de conectare pentru aplicații",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Grup",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnosticare",
- "person": "Persoană",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Intrare text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Intrare număr",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Date de conectare pentru aplicații",
- "siren": "Sirenă",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Intrare buton",
- "vacuum": "Aspirator",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Verificare alimentator Raspberry Pi",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
- "closed": "Închis",
+ "closed": "Closed",
"overheated": "Overheated",
"temperature_warning": "Temperature warning",
- "update_available": "Update available",
+ "update_available": "Actualizare disponibilă",
"dry": "Dry",
"wet": "Ud",
"pan_left": "Pan left",
@@ -1702,6 +1689,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Consum total",
@@ -1727,31 +1715,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Următorii zori",
- "next_dusk": "Următorul amurg",
- "next_midnight": "Următorul miez de noapte",
- "next_noon": "Următoarea amiază",
- "next_rising": "Următorul răsărit",
- "next_setting": "Următorul apus",
- "solar_azimuth": "Azimut solar",
- "solar_elevation": "Elevație solară",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Iluminare",
- "noise": "Zgomot",
- "overload": "Supraîncărcare",
- "working_location": "Working location",
- "created": "Created",
- "size": "Dimensiune",
- "size_in_bytes": "Dimensiunea în octeți",
- "compressor_energy_consumption": "Consumul de energie al compresorului",
- "compressor_estimated_power_consumption": "Consumul estimat de putere al compresorului",
- "compressor_frequency": "Frecvența compresorului",
- "cool_energy_consumption": "Consumul de energie pentru răcire",
- "energy_consumption": "Consumul de energie",
- "heat_energy_consumption": "Consumul de energie pentru încălzire",
- "inside_temperature": "Temperatura interioară",
- "outside_temperature": "Temperatura exterioară",
+ "calibration": "Calibrare",
+ "auto_lock_paused": "Blocarea automată este întreruptă",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Alarmă neînchisă",
+ "unlocked_alarm": "Alarmă deblocată",
+ "bluetooth_signal": "Semnal Bluetooth",
+ "light_level": "Nivel de lumină",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Cu eliberare automată",
+ "pull_retract": "Trage/Retrage",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1773,34 +1746,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "Versiunea OS Agent",
- "apparmor_version": "Versiunea Apparmor",
- "cpu_percent": "Procentul CPU",
- "disk_free": "Disc liber",
- "disk_total": "Capacitate disc",
- "disk_used": "Discul utilizat",
- "memory_percent": "Procent de memorie",
- "version": "Version",
- "newest_version": "Cea mai nouă versiune",
+ "day_of_week": "Day of week",
+ "illuminance": "Iluminare",
+ "noise": "Zgomot",
+ "overload": "Supraîncărcare",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Distanța estimată",
- "vendor": "Furnizor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Ultima activitate",
+ "last_ding": "Ultimul ding",
+ "last_motion": "Ultima mișcare",
+ "wi_fi_signal_category": "Categoria de semnal Wi-Fi",
+ "wi_fi_signal_strength": "Puterea semnalului Wi-Fi",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Consumul de energie al compresorului",
+ "compressor_estimated_power_consumption": "Consumul estimat de putere al compresorului",
+ "compressor_frequency": "Frecvența compresorului",
+ "cool_energy_consumption": "Consumul de energie pentru răcire",
+ "energy_consumption": "Consumul de energie",
+ "heat_energy_consumption": "Consumul de energie pentru încălzire",
+ "inside_temperature": "Temperatura interioară",
+ "outside_temperature": "Temperatura exterioară",
+ "device_admin": "Administrator dispozitiv",
+ "kiosk_mode": "Mod kiosk",
+ "plugged_in": "Branșat",
+ "load_start_url": "Încarcă URL-ul de start",
+ "restart_browser": "Repornește browser-ul",
+ "restart_device": "Restart device",
+ "send_to_background": "Trimite în fundal",
+ "bring_to_foreground": "Adu în prim-plan",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Luminozitate ecran",
+ "screen_off_timer": "Temporizator oprire ecran",
+ "screensaver_brightness": "Luminozitatea screensaver-ului",
+ "screensaver_timer": "Temporizator screensaver",
+ "current_page": "Pagina curentă",
+ "foreground_app": "Aplicație de prim-plan",
+ "internal_storage_free_space": "Spațiu liber de stocare internă",
+ "internal_storage_total_space": "Spațiu total de stocare internă",
+ "free_memory": "Memorie liberă",
+ "total_memory": "Memorie totală",
+ "screen_orientation": "Orientare ecran",
+ "kiosk_lock": "Blocare kiosk",
+ "maintenance_mode": "Modul de întreținere",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detectat",
"animal_lens": "Animal lens 1",
@@ -1874,6 +1889,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Mai întâi digital",
@@ -1924,7 +1940,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Semnal Wi-Fi",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1941,6 +1956,48 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Dimensiune",
+ "size_in_bytes": "Dimensiunea în octeți",
+ "assist_in_progress": "Assist în curs",
+ "quiet": "Quiet",
+ "preferred": "Preferat",
+ "finished_speaking_detection": "Detecție de terminare a vorbirii",
+ "aggressive": "Agresivă",
+ "relaxed": "Relaxată",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "Versiunea OS Agent",
+ "apparmor_version": "Versiunea Apparmor",
+ "cpu_percent": "Procentul CPU",
+ "disk_free": "Disc liber",
+ "disk_total": "Capacitate disc",
+ "disk_used": "Discul utilizat",
+ "memory_percent": "Procent de memorie",
+ "version": "Version",
+ "newest_version": "Cea mai nouă versiune",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Următorii zori",
+ "next_dusk": "Următorul amurg",
+ "next_midnight": "Următorul miez de noapte",
+ "next_noon": "Următoarea amiază",
+ "next_rising": "Următorul răsărit",
+ "next_setting": "Următorul apus",
+ "solar_azimuth": "Azimut solar",
+ "solar_elevation": "Elevație solară",
+ "solar_rising": "Solar rising",
"heavy": "Semnificativ",
"mild": "Moderat",
"button_down": "Button down",
@@ -1957,78 +2014,257 @@
"not_completed": "Nefinalizat",
"pending": "Urmează declanșarea",
"checking": "Verificare",
- "closing": "În curs de închidere",
+ "closing": "Closing",
"failure": "Eșec",
"opened": "Deschis",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Ultima activitate",
- "last_ding": "Ultimul ding",
- "last_motion": "Ultima mișcare",
- "wi_fi_signal_category": "Categoria de semnal Wi-Fi",
- "wi_fi_signal_strength": "Puterea semnalului Wi-Fi",
- "in_home_chime": "In-home chime",
- "calibration": "Calibrare",
- "auto_lock_paused": "Blocarea automată este întreruptă",
- "timeout": "Timeout",
- "unclosed_alarm": "Alarmă neînchisă",
- "unlocked_alarm": "Alarmă deblocată",
- "bluetooth_signal": "Semnal Bluetooth",
- "light_level": "Nivel de lumină",
- "momentary": "Cu eliberare automată",
- "pull_retract": "Trage/Retrage",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "bytes_sent": "Bytes sent",
- "device_admin": "Administrator dispozitiv",
- "kiosk_mode": "Mod kiosk",
- "plugged_in": "Branșat",
- "load_start_url": "Încarcă URL-ul de start",
- "restart_browser": "Repornește browser-ul",
- "restart_device": "Repornește dispozitivul",
- "send_to_background": "Trimite în fundal",
- "bring_to_foreground": "Adu în prim-plan",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Luminozitate ecran",
- "screen_off_timer": "Temporizator oprire ecran",
- "screensaver_brightness": "Luminozitatea screensaver-ului",
- "screensaver_timer": "Temporizator screensaver",
- "current_page": "Pagina curentă",
- "foreground_app": "Aplicație de prim-plan",
- "internal_storage_free_space": "Spațiu liber de stocare internă",
- "internal_storage_total_space": "Spațiu total de stocare internă",
- "free_memory": "Memorie liberă",
- "total_memory": "Memorie totală",
- "screen_orientation": "Orientare ecran",
- "kiosk_lock": "Blocare kiosk",
- "maintenance_mode": "Modul de întreținere",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Gestionat prin interfața grafică",
- "max_length": "Lungime maximă",
- "min_length": "Lungime minimă",
- "model": "Model",
- "minute": "Minut",
- "second": "Secundă",
- "timestamp": "Timestamp",
- "stopped": "Oprită",
+ "estimated_distance": "Distanța estimată",
+ "vendor": "Furnizor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Grup de ventilatoare",
+ "light_group": "Grup de lumini",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Tonuri disponibile",
"device_trackers": "Dispozitive de urmărire",
"gps_accuracy": "GPS accuracy",
- "paused": "În pauză",
- "finishes_at": "Termină la",
- "remaining": "Rămas",
- "restore": "Restaurare",
"last_reset": "Ultima resetare",
"possible_states": "Stări posibile",
- "state_class": "Clasa de status",
+ "state_class": "State class",
"measurement": "Măsură",
"total": "Total",
"total_increasing": "Total în creștere",
@@ -2058,82 +2294,12 @@
"sound_pressure": "Presiune acustică",
"speed": "Speed",
"sulphur_dioxide": "Dioxid de sulf",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Volum stocat",
"weight": "Greutate",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Încălzire auxiliară",
- "current_humidity": "Umiditate curentă",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Difuzie",
- "middle": "Mijlociu",
- "top": "Deasupra",
- "current_action": "Acțiunea curentă",
- "cooling": "Răcire",
- "defrosting": "Defrosting",
- "drying": "Dezumidificare",
- "preheating": "Preîncălzire",
- "max_target_humidity": "Umiditate țintă maximă",
- "max_target_temperature": "Temperatură țintă maximă",
- "min_target_humidity": "Umiditate țintă minimă",
- "min_target_temperature": "Temperatură țintă minimă",
- "boost": "Impuls",
- "comfort": "Confort",
- "eco": "Eco",
- "sleep": "Somn",
- "presets": "Presetări",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Ambele",
- "horizontal": "Orizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Pasul temperaturii țintă",
- "step": "Pas",
- "not_charging": "Nu se încarcă",
- "disconnected": "Deconectat",
- "connected": "Conectat",
- "hot": "Fierbinte",
- "no_light": "Întuneric",
- "light_detected": "Lumină detectată",
- "locked": "Încuiat",
- "unlocked": "Descuiat",
- "not_moving": "Static",
- "unplugged": "Debranșat",
- "not_running": "Nu rulează",
- "safe": "Sigur",
- "unsafe": "Nesigur",
- "tampering_detected": "Tampering detected",
- "box": "Căsuță",
- "above_horizon": "Deasupra orizontului",
- "below_horizon": "Sub orizont",
- "buffering": "Citește date în avans",
- "playing": "Redare",
- "standby": "În așteptare",
- "app_id": "ID-ul aplicației",
- "local_accessible_entity_picture": "Fotografie a entității disponibilă local",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Artistul albumului",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Canale",
- "position_updated": "Poziție actualizată",
- "series": "Serie",
- "all": "All",
- "one": "Una",
- "available_sound_modes": "Moduri de sunet disponibile",
- "available_sources": "Surse disponibile",
- "receiver": "Receptor",
- "speaker": "Difuzor",
- "tv": "Televizor",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Ruter",
+ "managed_via_ui": "Gestionat prin interfața grafică",
"color_mode": "Color Mode",
"brightness_only": "Numai luminozitate",
"hs": "HS",
@@ -2148,13 +2314,36 @@
"maximum_color_temperature_mireds": "Temperatură de culoare maximă (mired)",
"minimum_color_temperature_kelvin": "Temperatură de culoare minimă (Kelvin)",
"available_color_modes": "Moduri de culoare disponibile",
- "available_tones": "Tonuri disponibile",
"docked": "Andocat",
"mowing": "Cosire",
+ "paused": "În pauză",
"returning": "Returning",
+ "max_length": "Lungime maximă",
+ "min_length": "Lungime minimă",
+ "model": "Model",
+ "running_automations": "Rulare automatizări",
+ "max_running_scripts": "Numărul maxim de scripturi care rulează",
+ "run_mode": "Mod de rulare",
+ "parallel": "Paralel",
+ "queued": "Coadă",
+ "single": "Singur",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Treaptă de viteză",
"available_preset_modes": "Moduri presetate disponibile",
+ "minute": "Minut",
+ "second": "Secundă",
+ "next_event": "Următorul eveniment",
+ "step": "Pas",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Ruter",
"clear_night": "Noapte senină",
"cloudy": "Noros",
"exceptional": "Excepțional",
@@ -2177,26 +2366,9 @@
"uv_index": "Indicele UV",
"wind_bearing": "Direcția vântului",
"wind_gust_speed": "Viteza rafalelor de vânt",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Armată (plecat)",
- "armed_custom_bypass": "Armată (personalizat)",
- "armed_home": "Armată (acasă)",
- "armed_night": "Armată (peste noapte)",
- "armed_vacation": "Armat (vacanță)",
- "disarming": "În curs de dezarmare",
- "triggered": "Declanșată",
- "changed_by": "Schimbat de",
- "code_for_arming": "Cod pentru armare",
- "not_required": "Nu este necesar",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Curățare",
+ "returning_to_dock": "În curs de întoarcere la doc",
"recording": "Înregistrează",
"streaming": "În curs de redare",
"access_token": "Token de acces",
@@ -2204,94 +2376,143 @@
"stream_type": "Tip de flux",
"hls": "HLS",
"webrtc": "WebRTC",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automat",
+ "box": "Căsuță",
+ "jammed": "Înțepenit",
+ "locked": "Încuiată",
+ "locking": "Se încuie",
+ "unlocked": "Descuiată",
+ "unlocking": "Se descuie",
+ "changed_by": "Schimbat de",
+ "code_format": "Code format",
+ "members": "Membri",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Numărul maxim de automatizări care rulează",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Încălzire auxiliară",
+ "current_humidity": "Umiditate curentă",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Difuzie",
+ "middle": "Mijlociu",
+ "top": "Deasupra",
+ "current_action": "Acțiunea curentă",
+ "cooling": "Răcire",
+ "defrosting": "Defrosting",
+ "drying": "Dezumidificare",
+ "preheating": "Preîncălzire",
+ "max_target_humidity": "Umiditate țintă maximă",
+ "max_target_temperature": "Temperatură țintă maximă",
+ "min_target_humidity": "Umiditate țintă minimă",
+ "min_target_temperature": "Temperatură țintă minimă",
+ "boost": "Impuls",
+ "comfort": "Confort",
+ "eco": "Eco",
+ "sleep": "Somn",
+ "presets": "Presetări",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Ambele",
+ "horizontal": "Orizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Pasul temperaturii țintă",
+ "stopped": "Stopped",
+ "not_charging": "Nu se încarcă",
+ "disconnected": "Deconectat",
+ "connected": "Conectat",
+ "hot": "Fierbinte",
+ "no_light": "Întuneric",
+ "light_detected": "Lumină detectată",
+ "not_moving": "Static",
+ "unplugged": "Debranșat",
+ "not_running": "Nu rulează",
+ "safe": "Sigur",
+ "unsafe": "Nesigur",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Citește date în avans",
+ "playing": "Redare",
+ "standby": "În așteptare",
+ "app_id": "ID-ul aplicației",
+ "local_accessible_entity_picture": "Fotografie a entității disponibilă local",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Artistul albumului",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Canale",
+ "position_updated": "Poziție actualizată",
+ "series": "Serie",
+ "all": "All",
+ "one": "Una",
+ "available_sound_modes": "Moduri de sunet disponibile",
+ "available_sources": "Surse disponibile",
+ "receiver": "Receptor",
+ "speaker": "Difuzor",
+ "tv": "Televizor",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Următorul eveniment",
"event_type": "Tip eveniment",
"event_types": "Tipuri de evenimente",
"doorbell": "Sonerie",
- "running_automations": "Rulare automatizări",
- "id": "ID",
- "max_running_automations": "Numărul maxim de automatizări care rulează",
- "run_mode": "Mod de rulare",
- "parallel": "Paralel",
- "queued": "Coadă",
- "single": "Singur",
- "cleaning": "Curățare",
- "returning_to_dock": "În curs de întoarcere la doc",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Numărul maxim de scripturi care rulează",
- "jammed": "Înțepenit",
- "locking": "Se încuie",
- "unlocking": "Se descuie",
- "members": "Membri",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Dorești să configurezi {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Contul a fost configurat deja",
- "abort_already_in_progress": "Fluxul de configurație este deja în desfășurare",
- "failed_to_connect": "A eșuat conectarea",
- "invalid_access_token": "Token de acces nevalid",
- "invalid_authentication": "Autentificare nevalidă",
- "received_invalid_token_data": "Am primit date nevalide despre token.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Eroare neașteptată",
- "successfully_authenticated": "Autentificare realizată cu succes",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Alege metoda de autentificare",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Deasupra orizontului",
+ "below_horizon": "Sub orizont",
+ "armed_away": "Armată (plecat)",
+ "armed_custom_bypass": "Armată (personalizat)",
+ "armed_home": "Armată (acasă)",
+ "armed_night": "Armată (peste noapte)",
+ "armed_vacation": "Armat (vacanță)",
+ "disarming": "În curs de dezarmare",
+ "triggered": "Declanșată",
+ "code_for_arming": "Cod pentru armare",
+ "not_required": "Nu este necesar",
+ "finishes_at": "Termină la",
+ "remaining": "Rămas",
+ "restore": "Restaurare",
"device_is_already_configured": "Dispozitivul a fost configurat deja",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "Nu s-au descoperit dispozitive in rețea",
+ "re_authentication_was_successful": "Re-autentificarea s-a realizat cu succes",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Eroare de conexiune: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
"camera_stream_authentication_failed": "Camera stream authentication failed",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "Enable camera live view",
+ "username": "Username",
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Autentificarea a expirat pentru {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
- "abort_single_instance_allowed": "Deja configurat. Doar o singură configurare este posibilă.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Dorești să începi configurarea?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Tipul Switchbot neacceptat.",
+ "unexpected_error": "Eroare neașteptată",
+ "authentication_failed_error_detail": "Autentificarea nu a reușit: {error_detail}",
+ "error_encryption_key_invalid": "ID-ul cheii sau cheia de criptare nu sunt valide",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Dorești să configurezi {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Nume calendar",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Fluxul de configurație este deja în desfășurare",
"abort_invalid_host": "Nume gazdă (hostname) sau adresă IP invalidă",
"device_not_supported": "Dispozitiv neacceptat",
+ "invalid_authentication": "Autentificare nevalidă",
"name_model_at_host": "{name} ({model} la {host})",
"authenticate_to_the_device": "Autentificare la dispozitiv",
"finish_title": "Alege un nume pentru dispozitiv",
@@ -2299,68 +2520,27 @@
"yes_do_it": "Da, fă-o.",
"unlock_the_device_optional": "Deblocare dispozitiv (opțional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "A expirat timpul de stabilire a conexiunii",
- "link_google_account": "Conectare Cont Google",
- "path_is_not_allowed": "Calea nu este permisă",
- "path_is_not_valid": "Calea nu este validă",
- "path_to_file": "Calea către fișier",
- "api_key": "Cheie API",
- "configure_daikin_ac": "Configurează AC Daikin",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adaptor",
- "multiple_adapters_description": "Selectează un adaptor Bluetooth de configurat",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Clasa dispozitivului",
- "state_template": "State template",
- "template_binary_sensor": "Șablon senzor binar",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Șablon de senzor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Creează un șablon de senzor binar",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Creează un șablon de senzor",
- "template_a_switch": "Template a switch",
- "template_helper": "Ajutor de șablon",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Contul a fost configurat deja",
+ "invalid_access_token": "Token de acces nevalid",
+ "received_invalid_token_data": "Am primit date nevalide despre token.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Autentificare realizată cu succes",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Alege metoda de autentificare",
+ "two_factor_code": "Cod de autentificare cu doi factori",
+ "two_factor_authentication": "Autentificare cu doi factori",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Autentificare cu contul Ring",
+ "abort_alternative_integration": "Dispozitivul este mai bine acceptat de o altă integrare",
+ "abort_incomplete_config": "Configurația nu conține o variabilă necesară",
+ "manual_description": "URL-ul unui fișier XML cu descrierea dispozitivului",
+ "manual_title": "Conexiune manuală a dispozitivului DLNA DMR",
+ "discovered_dlna_dmr_devices": "Dispozitive DMR DLNA descoperite",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Nu s-a reușit instalarea add-on-ului {addon}.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2387,48 +2567,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Bridge deja configurat",
- "no_deconz_bridges_discovered": "Nu au fost descoperite bridge-uri deCONZ",
- "abort_no_hardware_available": "Nu există hardware radio conectat la deCONZ",
- "abort_updated_instance": "Instanță deCONZ actualizată cu noua adresă de gazdă",
- "error_linking_not_possible": "Nu s-a putut asocia cu gateway-ul",
- "error_no_key": "Nu s-a putut obține o cheie de API",
- "link_with_deconz": "Leagă cu deCONZ",
- "select_discovered_deconz_gateway": "Selectează gateway-ul deCONZ descoperit",
- "pin_code": "Cod PIN",
- "discovered_android_tv": "Televizor Android descoperit",
- "abort_mdns_missing_mac": "Lipsește adresa MAC din proprietățile MDNS.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Nod ESPHome descoperit",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "Nu s-au găsit servicii la endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Dispozitivul este mai bine acceptat de o altă integrare",
- "abort_incomplete_config": "Configurația nu conține o variabilă necesară",
- "manual_description": "URL-ul unui fișier XML cu descrierea dispozitivului",
- "manual_title": "Conexiune manuală a dispozitivului DLNA DMR",
- "discovered_dlna_dmr_devices": "Dispozitive DMR DLNA descoperite",
+ "api_key": "Cheie API",
+ "configure_daikin_ac": "Configurează AC Daikin",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adaptor",
+ "multiple_adapters_description": "Selectează un adaptor Bluetooth de configurat",
"api_error_occurred": "A apărut o eroare API",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Activează HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Cod de autentificare cu doi factori",
- "two_factor_authentication": "Autentificare cu doi factori",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Autentificare cu contul Ring",
+ "timeout_establishing_connection": "A expirat timpul de stabilire a conexiunii",
+ "link_google_account": "Conectează cont Google",
+ "path_is_not_allowed": "Calea nu este permisă",
+ "path_is_not_valid": "Calea nu este validă",
+ "path_to_file": "Calea către fișier",
+ "pin_code": "Cod PIN",
+ "discovered_android_tv": "Televizor Android descoperit",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "Toate entitățile",
"hide_members": "Ascunde membri",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignoră valorile non-numerice",
"data_round_digits": "Rotunjirea valorii la numărul de zecimale",
"type": "Type",
@@ -2436,177 +2615,188 @@
"button_group": "Button group",
"cover_group": "Grup de acoperitoare",
"event_group": "Grup de evenimente",
- "fan_group": "Grup de ventilatoare",
- "light_group": "Grup de lumini",
"lock_group": "Grup de încuietori",
"media_player_group": "Grup de media playere",
"notify_group": "Notify group",
"sensor_group": "Grup de senzori",
"switch_group": "Grup de comutatoare",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Tipul Switchbot neacceptat.",
- "authentication_failed_error_detail": "Autentificarea nu a reușit: {error_detail}",
- "error_encryption_key_invalid": "ID-ul cheii sau cheia de criptare nu sunt valide",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Adresa dispozitivului",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignoră CEC",
- "allowed_uuids": "UUID-uri permise",
- "advanced_google_cast_configuration": "Configurare avansată Google Cast",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Acces Home Assistant la Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Scanare pasivă",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Opțiuni broker",
- "enable_birth_message": "Activează mesajul de naștere (birth message)",
- "birth_message_payload": "Payload mesaj de naștere",
- "birth_message_qos": "QoS mesaj de naștere",
- "birth_message_retain": "Mesajul de naștere (birth message) să fie stocat (retain)",
- "birth_message_topic": "Topic pentru mesajul de naștere (birth topic)",
- "enable_discovery": "Activează descoperirea",
- "discovery_prefix": "Prefix de descoperire",
- "enable_will_message": "Activează mesajul-testament (will message)",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Lipsește adresa MAC din proprietățile MDNS.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Nod ESPHome descoperit",
+ "bridge_is_already_configured": "Bridge deja configurat",
+ "no_deconz_bridges_discovered": "Nu au fost descoperite bridge-uri deCONZ",
+ "abort_no_hardware_available": "Nu există hardware radio conectat la deCONZ",
+ "abort_updated_instance": "Instanță deCONZ actualizată cu noua adresă de gazdă",
+ "error_linking_not_possible": "Nu s-a putut asocia cu gateway-ul",
+ "error_no_key": "Nu s-a putut obține o cheie de API",
+ "link_with_deconz": "Leagă cu deCONZ",
+ "select_discovered_deconz_gateway": "Selectează gateway-ul deCONZ descoperit",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "Nu s-au găsit servicii la endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Șablon senzor binar",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Șablon de senzor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Creează un șablon de senzor binar",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Creează un șablon de senzor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Ajutor de șablon",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "Acesta nu este un dispozitiv ZHA",
+ "abort_usb_probe_failed": "Nu s-a putut sonda dispozitivul USB",
+ "invalid_backup_json": "JSON de back-ul nevalid",
+ "choose_an_automatic_backup": "Alege un backup automat",
+ "restore_automatic_backup": "Restaurare backup automat",
+ "choose_formation_strategy_description": "Alege configurația de rețea pentru echipamentul radio",
+ "restore_an_automatic_backup": "Restaurează un backup automat",
+ "create_a_network": "Creează o rețea",
+ "keep_radio_network_settings": "Păstrează configurația de rețea a echipamentului radio",
+ "upload_a_manual_backup": "Încarcă un backup manual",
+ "network_formation": "Formarea rețelei",
+ "serial_device_path": "Calea dispozitivului serial",
+ "select_a_serial_port": "Selectează un port serial",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "viteza portului",
+ "port_speed": "Piteza portului",
+ "data_flow_control": "Controlul fluxului de date (data flow control)",
+ "manual_port_config_description": "Introdu setările portului serial",
+ "serial_port_settings": "Setări port serial",
+ "data_overwrite_coordinator_ieee": "Înlocuiește permanent adresa IEEE a echipamentului radio",
+ "overwrite_radio_ieee_address": "Suprascrie adresa IEEE a echipamentului radio",
+ "upload_a_file": "Încarcă un fișier",
+ "radio_is_not_recommended": "Echipamentul radio nu este recomandat",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Nume calendar",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Codul necesar pentru acțiunile de armare",
+ "zha_alarm_options_alarm_master_code": "Cod master pentru panoul (panourile) de control al alarmei",
+ "alarm_control_panel_options": "Opțiuni panou de control al alarmei",
+ "zha_options_consider_unavailable_battery": "Consideră dispozitivele alimentate cu baterie ca fiind indisponibile după (secunde)",
+ "zha_options_consider_unavailable_mains": "Consideră dispozitivele alimentate de la rețea ca fiind indisponibile după (secunde)",
+ "zha_options_default_light_transition": "Timpul implicit de tranziție a luminii (secunde)",
+ "zha_options_group_members_assume_state": "Membrii unui grup își asumă starea grupului",
+ "zha_options_light_transitioning_flag": "Activează glisorul de luminozitate îmbunătățit în timpul tranziției luminii",
+ "global_options": "Opțiuni globale",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Numarul de reîncercări",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "URL nevalid",
+ "data_browse_unfiltered": "Afișează conținut media incompatibil la navigare",
+ "event_listener_callback_url": "URL-ul de callback pentru listener-ul de evenimente",
+ "data_listen_port": "Portul listener-ului de evenimente (aleator dacă rămâne necompletat)",
+ "poll_for_device_availability": "Sondează pentru disponibilitatea dispozitivelor",
+ "init_title": "Configurație Digital Media Renderer DLNA",
+ "broker_options": "Opțiuni broker",
+ "enable_birth_message": "Activează mesajul de naștere (birth message)",
+ "birth_message_payload": "Payload mesaj de naștere",
+ "birth_message_qos": "QoS mesaj de naștere",
+ "birth_message_retain": "Mesajul de naștere (birth message) să fie stocat (retain)",
+ "birth_message_topic": "Topic pentru mesajul de naștere (birth topic)",
+ "enable_discovery": "Activează descoperirea",
+ "discovery_prefix": "Prefix de descoperire",
+ "enable_will_message": "Activează mesajul-testament (will message)",
"will_message_payload": "Payload mesaj-testament (will message)",
"will_message_qos": "QoS mesaj-testament",
"will_message_retain": "Mesajul testament (will message) să fie stocat (retained)",
"will_message_topic": "Topic pentru mesajul-testament (will topic)",
"data_description_discovery": "Option to enable MQTT automatic discovery.",
"mqtt_options": "Opțiuni MQTT",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Permite senzori deCONZ CLIP",
- "allow_deconz_light_groups": "Permiteți grupuri de lumini deCONZ",
- "data_allow_new_devices": "Permite adăugarea automată a dispozitivelor noi",
- "deconz_devices_description": "Configurează vizibilitatea tipurilor de dispozitive deCONZ",
- "deconz_options": "Opțiuni deCONZ",
+ "passive_scanning": "Scanare pasivă",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Codul limbii",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2614,26 +2804,112 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "URL nevalid",
- "data_browse_unfiltered": "Afișează conținut media incompatibil la navigare",
- "event_listener_callback_url": "URL-ul de callback pentru listener-ul de evenimente",
- "data_listen_port": "Portul listener-ului de evenimente (aleator dacă rămâne necompletat)",
- "poll_for_device_availability": "Sondează pentru disponibilitatea dispozitivelor",
- "init_title": "Configurație Digital Media Renderer DLNA",
- "protocol": "Protocol",
- "language_code": "Codul limbii",
- "bluetooth_scanner_mode": "Mod scaner Bluetooth",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Numarul de reîncercări",
+ "ignore_cec": "Ignoră CEC",
+ "allowed_uuids": "UUID-uri permise",
+ "advanced_google_cast_configuration": "Configurare avansată Google Cast",
+ "allow_deconz_clip_sensors": "Permite senzori deCONZ CLIP",
+ "allow_deconz_light_groups": "Permiteți grupuri de lumini deCONZ",
+ "data_allow_new_devices": "Permite adăugarea automată a dispozitivelor noi",
+ "deconz_devices_description": "Configurează vizibilitatea tipurilor de dispozitive deCONZ",
+ "deconz_options": "Opțiuni deCONZ",
"select_test_server": "Selectează serverul de test",
- "toggle_entity_name": "Comută {entity_name}",
- "stop_entity_name": "Oprește {entity_name}",
- "turn_on_entity_name": "Pornește {entity_name}",
- "entity_name_is_off": "{entity_name} este oprit",
- "entity_name_is_on": "{entity_name} este pornit",
- "trigger_type_changed_states": "La pornirea sau oprirea {entity_name}",
- "entity_name_turned_off": "La oprirea {entity_name}",
- "entity_name_turned_on": "La pornirea {entity_name}",
+ "data_calendar_access": "Acces Home Assistant la Google Calendar",
+ "bluetooth_scanner_mode": "Mod scaner Bluetooth",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigurare ZHA",
+ "unplug_your_old_radio": "Deconectați echipamentul radio vechi",
+ "intent_migrate_title": "Migrate to a new radio",
+ "menu_options_intent_migrate": "Migrare la un radio nou",
+ "re_configure_the_current_radio": "Reconfigurare radio existent",
+ "migrate_or_re_configure": "Migrare sau reconfigurare",
"current_entity_name_apparent_power": "Puterea aparentă curentă a {entity_name}",
"condition_type_is_aqi": "Indicele curent al calității aerului indicat de {entity_name}",
"current_entity_name_area": "Current {entity_name} area",
@@ -2728,6 +3004,59 @@
"entity_name_water_changes": "La schimbarea consumului de apă indicat de {entity_name}",
"entity_name_weight_changes": "La schimbarea greutății {entity_name}",
"entity_name_wind_speed_changes": "La schimbarea vitezei vântului {entity_name}",
+ "decrease_entity_name_brightness": "Scade luminozitatea {entity_name}",
+ "increase_entity_name_brightness": "Crește luminozitatea {entity_name}",
+ "flash_entity_name": "Aprinde intermitent {entity_name}",
+ "toggle_entity_name": "Comută {entity_name}",
+ "stop_entity_name": "Oprește {entity_name}",
+ "turn_on_entity_name": "Pornește {entity_name}",
+ "entity_name_is_off": "{entity_name} este oprit",
+ "entity_name_is_on": "{entity_name} este pornit",
+ "flash": "Flash",
+ "trigger_type_changed_states": "La pornirea sau oprirea {entity_name}",
+ "entity_name_turned_off": "La oprirea {entity_name}",
+ "entity_name_turned_on": "La pornirea {entity_name}",
+ "set_value_for_entity_name": "Setează valoarea pentru {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "La schimbarea disponibilității unei actualizări {entity_name}",
+ "entity_name_became_up_to_date": "{entity_name} a ajuns la zi",
+ "trigger_type_turned_on": "Când {entity_name} are o actualizare disponibilă",
+ "first_button": "Primul buton",
+ "second_button": "Al doilea buton",
+ "third_button": "Al treilea buton",
+ "fourth_button": "Al patrulea buton",
+ "fifth_button": "Al cincilea buton",
+ "sixth_button": "Al șaselea buton",
+ "subtype_double_clicked": "Dubli click pe \"{subtype}\"",
+ "subtype_continuously_pressed": "\"{subtype}\" apăsat continuu",
+ "trigger_type_button_long_release": "La eliberarea după apăsarea prelungă a \"{subtype}\"",
+ "subtype_quadruple_clicked": "Cvadruplu click pe \"{subtype}\"",
+ "subtype_quintuple_clicked": "Cvintuplu click pe \"{subtype}\"",
+ "subtype_pressed": "\"{subtype}\" apăsat",
+ "subtype_released": "\"{subtype}\" eliberat",
+ "subtype_triple_clicked": "Triplu click pe \"{subtype}\"",
+ "entity_name_is_home": "{entity_name} este acasă",
+ "entity_name_is_not_home": "{entity_name} nu este acasă",
+ "entity_name_enters_a_zone": "La intrarea {entity_name} într-o zonă",
+ "entity_name_leaves_a_zone": "La ieșirea {entity_name} dintr-o zonă",
+ "press_entity_name_button": "Apasă butonul {entity_name}",
+ "entity_name_has_been_pressed": "La apăsarea {entity_name}",
+ "let_entity_name_clean": "Trimite {entity_name} să facă curat",
+ "action_type_dock": "Trimite {entity_name} înapoi la doc",
+ "entity_name_is_cleaning": "{entity_name} face curat",
+ "entity_name_is_docked": "{entity_name} este andocat",
+ "entity_name_started_cleaning": "La începerea curățeniei de către {entity_name}",
+ "entity_name_docked": "La andocarea {entity_name}",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Încuie {entity_name}",
+ "open_entity_name": "Deschide {entity_name}",
+ "unlock_entity_name": "Descuie {entity_name}",
+ "entity_name_is_locked": "{entity_name} este încuiată",
+ "entity_name_is_open": "{entity_name} este deschisă",
+ "entity_name_is_unlocked": "{entity_name} este descuiată",
+ "entity_name_locked": "La încuierea {entity_name}",
+ "entity_name_opened": "{entity_name} a fost deschisă",
+ "entity_name_unlocked": "La descuierea {entity_name}",
"action_type_set_hvac_mode": "Schimbă modul de funcționare al {entity_name}",
"change_preset_on_entity_name": "Schimbă modul presetat al {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2735,8 +3064,21 @@
"entity_name_measured_humidity_changed": "La schimbarea umidității măsurate de {entity_name}",
"entity_name_measured_temperature_changed": "La schimbarea temperaturii măsurate de {entity_name}",
"entity_name_hvac_mode_changed": "La schimbarea modului de funcționare al {entity_name}",
- "set_value_for_entity_name": "Setează valoarea {entity_name}",
- "value": "Value",
+ "close_entity_name": "Închide {entity_name}",
+ "close_entity_name_tilt": "Apleacă {entity_name}",
+ "open_entity_name_tilt": "Ridică {entity_name}",
+ "set_entity_name_position": "Modifică poziția {entity_name}",
+ "set_entity_name_tilt_position": "Modifică înclinația {entity_name}",
+ "entity_name_is_closed": "{entity_name} este închisă",
+ "entity_name_is_closing": "{entity_name} se închide",
+ "entity_name_is_opening": "{entity_name} se deschide",
+ "current_entity_name_position_is": "Poziția curentă a {entity_name} este",
+ "condition_type_is_tilt_position": "Înclinația curentă a {entity_name} este",
+ "entity_name_closed": "{entity_name} a fost închisă",
+ "entity_name_closing": "La începerea închiderii {entity_name}",
+ "entity_name_opening": "La începerea deschiderii {entity_name}",
+ "entity_name_position_changes": "La schimbarea poziției {entity_name}",
+ "entity_name_tilt_position_changes": "La schimbarea înclinației {entity_name}",
"entity_name_battery_is_low": "Bateria {entity_name} este descărcată",
"entity_name_is_charging": "{entity_name} se încarcă",
"condition_type_is_co": "{entity_name} detectează monoxid de carbon",
@@ -2745,7 +3087,6 @@
"entity_name_is_detecting_gas": "{entity_name} detectează gaz",
"entity_name_is_hot": "{entity_name} este fierbinte",
"entity_name_is_detecting_light": "{entity_name} detectează lumină",
- "entity_name_is_locked": "{entity_name} este încuiată",
"entity_name_is_moist": "{entity_name} este umed",
"entity_name_is_detecting_motion": "{entity_name} detectează mișcare",
"entity_name_is_moving": "{entity_name} se mișcă",
@@ -2763,11 +3104,9 @@
"entity_name_is_not_cold": "{entity_name} nu este rece",
"entity_name_is_disconnected": "{entity_name} este deconectat",
"entity_name_is_not_hot": "{entity_name} nu este fierbinte",
- "entity_name_is_unlocked": "{entity_name} este descuiată",
"entity_name_is_dry": "{entity_name} este uscat",
"entity_name_is_not_moving": "{entity_name} nu se mișcă",
"entity_name_is_not_occupied": "{entity_name} nu este ocupat",
- "entity_name_is_closed": "{entity_name} este închisă",
"entity_name_is_unplugged": "{entity_name} este deconectat de la rețea",
"entity_name_is_not_powered": "{entity_name} nu este sub tensiune",
"entity_name_is_not_present": "{entity_name} nu este prezent",
@@ -2775,7 +3114,6 @@
"condition_type_is_not_tampered": "{entity_name} nu detectează efracție",
"entity_name_is_safe": "{entity_name} este în siguranță",
"entity_name_is_occupied": "{entity_name} este ocupat",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_plugged_in": "{entity_name} conectat la rețea",
"entity_name_is_powered": "{entity_name} este sub tensiune",
"entity_name_is_present": "{entity_name} este prezent",
@@ -2795,7 +3133,6 @@
"entity_name_started_detecting_gas": "Când {entity_name} începe să detecteze gaz",
"entity_name_became_hot": "{entity_name} a devenit fierbinte",
"entity_name_started_detecting_light": "Când {entity_name} începe să detecteze lumină",
- "entity_name_locked": "La încuierea {entity_name}",
"entity_name_became_moist": "{entity_name} a devenit umed",
"entity_name_started_detecting_motion": "Când {entity_name} începe să detecteze mișcare",
"entity_name_started_moving": "{entity_name} a început să se miște",
@@ -2806,18 +3143,15 @@
"entity_name_stopped_detecting_problem": "Când {entity_name} nu mai detectează probleme",
"entity_name_stopped_detecting_smoke": "Când {entity_name} nu mai detectează fum",
"entity_name_stopped_detecting_sound": "Când {entity_name} nu mai detectează sunet",
- "entity_name_became_up_to_date": "Când {entity_name} ajunge la zi",
"entity_name_stopped_detecting_vibration": "Când {entity_name} nu mai detectează vibrații",
"entity_name_battery_normal": "Bateria {entity_name} nu mai este descărcată",
"entity_name_not_charging": "{entity_name} nu se mai încarcă",
"entity_name_became_not_cold": "{entity_name} nu mai este rece",
"entity_name_disconnected": "{entity_name} s-a deconectat",
"entity_name_became_not_hot": "{entity_name} nu mai este fierbinte",
- "entity_name_unlocked": "La descuierea {entity_name}",
"entity_name_became_dry": "{entity_name} a devenit uscat",
"entity_name_stopped_moving": "{entity_name} nu se mai mișcă",
"entity_name_became_not_occupied": "{entity_name} a devenit neocupat",
- "entity_name_closed": "La închiderea {entity_name}",
"entity_name_unplugged": "{entity_name} deconectat de la rețea",
"entity_name_not_powered": "{entity_name} nu mai este alimentat",
"entity_name_not_present": "{entity_name} nu mai este prezent",
@@ -2825,54 +3159,23 @@
"entity_name_stopped_detecting_tampering": "Când nu se mai detectează efracție la {entity_name}",
"entity_name_became_safe": "{entity_name} a devenit sigur",
"entity_name_became_occupied": "{entity_name} a devenit ocupat",
- "entity_name_opened": "{entity_name} opened",
"entity_name_powered": "{entity_name} alimentat",
"entity_name_present": "{entity_name} prezent",
"entity_name_started_detecting_problem": "Când {entity_name} începe să detecteze probleme",
"entity_name_started_running": "Când {entity_name} începe să ruleze",
- "entity_name_started_detecting_smoke": "Când {entity_name} începe să detecteze fum",
- "entity_name_started_detecting_sound": "Când {entity_name} începe să detecteze sunet",
- "entity_name_started_detecting_tampering": "Când s-a detectat efracție la {entity_name}",
- "entity_name_became_unsafe": "{entity_name} a devenit nesigur",
- "trigger_type_update": "A apărut un update pentru {entity_name}",
- "entity_name_started_detecting_vibration": "Când {entity_name} începe să detecteze vibrații",
- "entity_name_is_buffering": "{entity_name} citește date in avans (buffering)",
- "entity_name_is_idle": "{entity_name} este inactiv",
- "entity_name_is_paused": "Când {entity_name} intră în pauză",
- "entity_name_is_playing": "{entity_name} redă",
- "entity_name_starts_buffering": "Când {entity_name} începe să citească date în avans (buffering)",
- "entity_name_becomes_idle": "Când {entity_name} devine inactiv",
- "entity_name_starts_playing": "La începerea redării pe {entity_name}",
- "entity_name_is_home": "{entity_name} este acasă",
- "entity_name_is_not_home": "{entity_name} nu este acasă",
- "entity_name_enters_a_zone": "La intrarea {entity_name} într-o zonă",
- "entity_name_leaves_a_zone": "La ieșirea {entity_name} dintr-o zonă",
- "decrease_entity_name_brightness": "Scade luminozitatea {entity_name}",
- "increase_entity_name_brightness": "Crește luminozitatea {entity_name}",
- "flash_entity_name": "Aprinde intermitent {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "La schimbarea disponibilității unei actualizări {entity_name}",
- "trigger_type_turned_on": "Când {entity_name} are o actualizare disponibilă",
- "arm_entity_name_away": "Armează {entity_name} (plecat)",
- "arm_entity_name_home": "Armează {entity_name} (acasă)",
- "arm_entity_name_night": "Armează {entity_name} (noapte)",
- "arm_entity_name_vacation": "Armează {entity_name} (vacanță)",
- "disarm_entity_name": "Dezarmează {entity_name}",
- "trigger_entity_name": "Declanșează {entity_name}",
- "entity_name_is_armed_away": "{entity_name} este armată (plecat)",
- "entity_name_is_armed_home": "{entity_name} este armată (acasă)",
- "entity_name_is_armed_night": "{entity_name} este armată (peste noapte)",
- "entity_name_is_armed_vacation": "{entity_name} este armată (vacanță)",
- "entity_name_is_disarmed": "{entity_name} este dezarmată",
- "entity_name_is_triggered": "{entity_name} este declanșată",
- "entity_name_armed_away": "La armarea {entity_name} (plecat)",
- "entity_name_armed_home": "La armarea {entity_name} (acasă)",
- "entity_name_armed_night": "La armarea {entity_name} (peste noapte)",
- "entity_name_armed_vacation": "La armarea {entity_name} (vacanță)",
- "entity_name_disarmed": "La dezarmarea {entity_name}",
- "entity_name_triggered": "La declanșarea {entity_name}",
- "press_entity_name_button": "Apasă butonul {entity_name}",
- "entity_name_has_been_pressed": "La apăsarea {entity_name}",
+ "entity_name_started_detecting_smoke": "Când {entity_name} începe să detecteze fum",
+ "entity_name_started_detecting_sound": "Când {entity_name} începe să detecteze sunet",
+ "entity_name_started_detecting_tampering": "Când s-a detectat efracție la {entity_name}",
+ "entity_name_became_unsafe": "{entity_name} a devenit nesigur",
+ "trigger_type_update": "A apărut un update pentru {entity_name}",
+ "entity_name_started_detecting_vibration": "Când {entity_name} începe să detecteze vibrații",
+ "entity_name_is_buffering": "{entity_name} citește date in avans (buffering)",
+ "entity_name_is_idle": "{entity_name} este inactiv",
+ "entity_name_is_paused": "Când {entity_name} intră în pauză",
+ "entity_name_is_playing": "{entity_name} redă",
+ "entity_name_starts_buffering": "Când {entity_name} începe să citească date în avans (buffering)",
+ "entity_name_becomes_idle": "Când {entity_name} devine inactiv",
+ "entity_name_starts_playing": "La începerea redării pe {entity_name}",
"action_type_select_first": "Selectează prima opțiune pentru {entity_name}",
"action_type_select_last": "Selectează ultima opțiune pentru {entity_name}",
"action_type_select_next": "Selectează următoarea opțiune pentru {entity_name}",
@@ -2882,40 +3185,12 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "La schimbarea selecției {entity_name}",
- "close_entity_name": "Închide {entity_name}",
- "close_entity_name_tilt": "Apleacă {entity_name}",
- "open_entity_name": "Deschide {entity_name}",
- "open_entity_name_tilt": "Ridică {entity_name}",
- "set_entity_name_position": "Modifică poziția {entity_name}",
- "set_entity_name_tilt_position": "Modifică înclinația {entity_name}",
- "entity_name_is_closing": "{entity_name} se închide",
- "entity_name_is_opening": "{entity_name} se deschide",
- "current_entity_name_position_is": "Poziția curentă a {entity_name} este",
- "condition_type_is_tilt_position": "Înclinația curentă a {entity_name} este",
- "entity_name_closing": "La începerea închiderii {entity_name}",
- "entity_name_opening": "La începerea deschiderii {entity_name}",
- "entity_name_position_changes": "La schimbarea poziției {entity_name}",
- "entity_name_tilt_position_changes": "La schimbarea înclinației {entity_name}",
- "first_button": "Primul buton",
- "second_button": "Al doilea buton",
- "third_button": "Al treilea buton",
- "fourth_button": "Al patrulea buton",
- "fifth_button": "Al cincilea buton",
- "sixth_button": "Al șaselea buton",
- "subtype_double_clicked": "La dublu click pe {subtype}",
- "subtype_continuously_pressed": "\"{subtype}\" apăsat continuu",
- "trigger_type_button_long_release": "La eliberarea după apăsarea prelungă a \"{subtype}\"",
- "subtype_quadruple_clicked": "Cvadruplu click pe \"{subtype}\"",
- "subtype_quintuple_clicked": "Cvintuplu click pe \"{subtype}\"",
- "subtype_pressed": "\"{subtype}\" apăsat",
- "subtype_released": "\"{subtype}\" eliberat",
- "subtype_triple_clicked": "La triplu click pe {subtype}",
"both_buttons": "Ambele butoane",
"bottom_buttons": "Butoanele de jos",
"seventh_button": "Al șaptelea buton",
"eighth_button": "Al optulea buton",
- "dim_down": "Întunecă",
- "dim_up": "Luminează",
+ "dim_down": "Întunecare",
+ "dim_up": "Luminare",
"left": "Stânga",
"right": "Dreapta",
"side": "Fața 6",
@@ -2935,13 +3210,6 @@
"trigger_type_remote_rotate_from_side": "Dispozitiv rotit de la \"fața 6\" la \"{subtype}\"",
"device_turned_clockwise": "La rotirea în sens orar a dispozitivului",
"device_turned_counter_clockwise": "La rotirea în sens trigonometric (invers orar) a dispozitivului",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Trimite {entity_name} să facă curat",
- "action_type_dock": "Trimite {entity_name} înapoi la doc",
- "entity_name_is_cleaning": "{entity_name} face curat",
- "entity_name_is_docked": "{entity_name} este andocat",
- "entity_name_started_cleaning": "La începerea curățeniei de către {entity_name}",
- "entity_name_docked": "La andocarea {entity_name}",
"subtype_button_down": "Buton {subtype} apăsat",
"subtype_button_up": "Buton {subtype} eliberat",
"subtype_double_push": "Dublu clic pe {subtype}",
@@ -2952,28 +3220,54 @@
"trigger_type_single_long": "La apăsare simplă urmată de apăsare lungă pe {subtype}",
"subtype_single_push": "Apăsare simplă pe {subtype}",
"subtype_triple_push": "Apăsare triplă {subtype}",
- "lock_entity_name": "Încuie {entity_name}",
- "unlock_entity_name": "Descuie {entity_name}",
+ "arm_entity_name_away": "Armează {entity_name} (plecat)",
+ "arm_entity_name_home": "Armează {entity_name} (acasă)",
+ "arm_entity_name_night": "Armează {entity_name} (noapte)",
+ "arm_entity_name_vacation": "Armează {entity_name} (vacanță)",
+ "disarm_entity_name": "Dezarmează {entity_name}",
+ "trigger_entity_name": "Declanșează {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} este armată (plecat)",
+ "entity_name_is_armed_home": "{entity_name} este armată (acasă)",
+ "entity_name_is_armed_night": "{entity_name} este armată (peste noapte)",
+ "entity_name_is_armed_vacation": "{entity_name} este armată (vacanță)",
+ "entity_name_is_disarmed": "{entity_name} este dezarmată",
+ "entity_name_is_triggered": "{entity_name} este declanșată",
+ "entity_name_armed_away": "La armarea {entity_name} (plecat)",
+ "entity_name_armed_home": "La armarea {entity_name} (acasă)",
+ "entity_name_armed_night": "La armarea {entity_name} (peste noapte)",
+ "entity_name_armed_vacation": "La armarea {entity_name} (vacanță)",
+ "entity_name_disarmed": "La dezarmarea {entity_name}",
+ "entity_name_triggered": "La declanșarea {entity_name}",
+ "action_type_issue_all_led_effect": "Emite efect pentru toate LED-urile",
+ "action_type_issue_individual_led_effect": "Emite efect pentru un anume LED",
+ "squawk": "Squawk",
+ "warn": "Avertizare",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "Cu fața 6 activată",
+ "with_any_specified_face_s_activated": "Cu orice față/cu anumite fețe activate",
+ "device_dropped": "Dispozitiv căzut",
+ "device_flipped_subtype": "Dispozitiv răsturnat \"{subtype}\"",
+ "device_knocked_subtype": "Dispozitiv lovit \"{subtype}\"",
+ "device_offline": "Când dispozitivul devine offline",
+ "device_rotated_subtype": "Dispozitiv rotit \"{subtype}\"",
+ "device_slid_subtype": "Dispozitiv glisat \"{subtype}\"",
+ "device_tilted": "Dispozitiv înclinat",
+ "trigger_type_remote_button_alt_double_press": "La dublu click pe \"{subtype}\" (mod alternativ)",
+ "trigger_type_remote_button_alt_long_press": "La apăsare continuă pe \"{subtype}\" (mod alternativ)",
+ "trigger_type_remote_button_alt_long_release": "La eliberarea după apăsare prelungă pe \"{subtype}\" (mod alternativ)",
+ "trigger_type_remote_button_alt_quadruple_press": "La apăsare cvadruplă pe \"{subtype}\" (mod alternativ)",
+ "trigger_type_remote_button_alt_quintuple_press": "La apăsare cvintuplă pe \"{subtype}\" (mod alternativ)",
+ "subtype_pressed_alternate_mode": "La apăsare pe \"{subtype}\" (mod alternativ)",
+ "subtype_released_alternate_mode": "La eliberarea \"{subtype}\" (mod alternativ)",
+ "trigger_type_remote_button_alt_triple_press": "La triplu click pe \"{subtype}\" (mod alternativ)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "Nicio unitate de măsură",
- "critical": "Critical",
- "debug": "Debug",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Pasiv",
- "most_recently_updated": "Cel mai recent actualizat",
- "arithmetic_mean": "Media aritmetică",
- "median": "Mediana",
- "product": "Produs",
- "statistical_range": "Intervalul statistic",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Bleu Alice",
"antique_white": "Alb antic",
"aqua": "Aqua",
@@ -3093,52 +3387,21 @@
"wheat": "Grâu",
"white_smoke": "Fum alb",
"yellow_green": "Galben-verde",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Stinge una sau mai multe lumini.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "warning": "Warning",
+ "passive": "Pasiv",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "Nicio unitate de măsură",
+ "fatal": "Fatal",
+ "most_recently_updated": "Cel mai recent actualizat",
+ "arithmetic_mean": "Media aritmetică",
+ "median": "Mediana",
+ "product": "Produs",
+ "statistical_range": "Intervalul statistic",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3155,6 +3418,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3165,102 +3429,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3273,25 +3446,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Întrerupe sarcina de cosire.",
+ "starts_the_mowing_task": "Începe sarcina de cosire.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3317,27 +3535,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ton de apel",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Întrerupe sarcina de cosire.",
- "starts_the_mowing_task": "Începe sarcina de cosire.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3376,40 +3875,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3417,77 +3882,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3496,83 +3900,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ton de apel",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/ru/ru.json b/packages/core/src/hooks/useLocale/locales/ru/ru.json
index a7879036..dd7d3927 100644
--- a/packages/core/src/hooks/useLocale/locales/ru/ru.json
+++ b/packages/core/src/hooks/useLocale/locales/ru/ru.json
@@ -55,8 +55,8 @@
"image_not_available": "Изображение не доступно",
"currently": "Сейчас",
"on_off": "Вкл/Выкл",
- "name_target_temperature": "Заданная температура {name}",
- "name_target_temperature_mode": "Заданная температура {name} в режиме {mode}",
+ "name_target_temperature": "Целевая температура {name}",
+ "name_target_temperature_mode": "Целевая температура {name} в режиме {mode}",
"name_current_temperature": "Текущая температура {name}",
"name_heating": "Обогрев {name}",
"name_cooling": "Охлаждение {name}",
@@ -67,8 +67,8 @@
"action_to_target": "{action} до целевого значения",
"target": "Цель",
"humidity_target": "Целевая влажность",
- "increment": "Увеличение",
- "decrement": "Уменьшение",
+ "increment": "Увеличить",
+ "decrement": "Уменьшить",
"reset": "Сбросить",
"position": "Позиция",
"tilt_position": "Положение наклона ламелей",
@@ -84,7 +84,7 @@
"medium": "Средний",
"target_humidity": "Целевая влажность.",
"state": "Состояние",
- "name_target_humidity": "{name} заданная влажность",
+ "name_target_humidity": "Целевая влажность {name}",
"name_current_humidity": "{name}: текущая влажность",
"name_humidifying": "{name}: увлажнение",
"name_drying": "{name}: осушение",
@@ -214,6 +214,7 @@
"name": "Название",
"optional": "необязательно",
"default": "По умолчанию",
+ "ui_common_dont_save": "Не сохранять",
"select_media_player": "Выберите медиаплеер",
"media_browse_not_supported": "Медиаплеер не поддерживает просмотр мультимедиа.",
"pick_media": "Выбрать медиа",
@@ -272,7 +273,7 @@
"was_detected_away": "обнаружен не дома",
"was_detected_at_state": "обнаружен в {state}",
"rose": "восходит",
- "set": "Определить участников",
+ "set": "Установить значение",
"was_low": "регистрирует низкий заряд",
"was_normal": "регистрирует нормальный заряд",
"was_connected": "подключается",
@@ -296,7 +297,7 @@
"turned_on": "включается",
"changed_to_state": "изменяет состояние на \"{state}\"",
"became_unavailable": "изменяет состояние на \"Недоступно\"",
- "became_unknown": "изменяет состояние на \"недоступно\"",
+ "became_unknown": "изменяет состояние на \"Неизвестно\"",
"detected_tampering": "обнаруживает вмешательство",
"cleared_tampering": "не обнаруживает вмешательство",
"event_type_event_detected": "обнаружено событие: {event_type}",
@@ -432,7 +433,7 @@
"no_color": "Нет цвета",
"primary": "Основной",
"accent": "Акцент",
- "disabled": "Отключено",
+ "disabled": "Деактивировано",
"inactive": "Неактивно",
"red": "Красный",
"pink": "Розовый",
@@ -558,7 +559,7 @@
"url": "URL-адрес",
"video": "Видео",
"media_browser_media_player_unavailable": "Выбранный медиаплеер недоступен.",
- "auto": "Автоматически",
+ "auto": "Автоматический",
"grid": "Сетка",
"list": "Список",
"task_name": "Название задачи",
@@ -614,6 +615,7 @@
"weekday": "будний день",
"until": "до",
"for": "для",
+ "in": "In",
"on_the": "на",
"or": "Или",
"at": "в",
@@ -631,8 +633,9 @@
"line_line_column_column": "строка: {line}, столбец: {column}",
"last_changed": "Последнее изменение",
"last_updated": "Последнее обновление",
- "remaining_time": "Оставшееся время",
+ "time_left": "Оставшееся время",
"install_status": "Статус установки",
+ "ui_components_multi_textfield_add_item": "Добавить {item}",
"safe_mode": "Безопасный режим",
"all_yaml_configuration": "Всю конфигурацию YAML",
"domain": "Домен",
@@ -735,7 +738,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Создать резервную копию перед обновлением",
"update_instructions": "Инструкция по обновлению",
"current_activity": "Текущая активность",
- "status": "Статус",
+ "status": "Статус 2",
"vacuum_cleaner_commands": "Команды:",
"fan_speed": "Мощность всасывания",
"clean_spot": "Местная уборка",
@@ -768,7 +771,7 @@
"default_code": "Код по умолчанию",
"editor_default_code_error": "Код не соответствует формату кода",
"entity_id": "Идентификатор объекта",
- "unit": "Единица измерения",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "Единица измерения осадков",
"display_precision": "Округление значений",
"default_value": "По умолчанию ({value})",
@@ -789,7 +792,7 @@
"cold": "Холод",
"connectivity": "Связь",
"gas": "Газ",
- "heat": "Тепло",
+ "heat": "Обогрев",
"light": "Освещение",
"moisture": "Влага",
"motion": "Движение",
@@ -851,7 +854,7 @@
"restart_home_assistant": "Перезапустить Home Assistant?",
"advanced_options": "Дополнительные настройки",
"quick_reload": "Быстрая перезагрузка",
- "reload_description": "Перезагружает все доступные скрипты.",
+ "reload_description": "Перезагружает таймеры из YAML-конфигурации.",
"reloading_configuration": "Перезагрузка конфигурации",
"failed_to_reload_configuration": "Не удалось перезагрузить конфигурацию",
"restart_description": "Прерывает работу всех запущенных автоматизаций и скриптов.",
@@ -879,8 +882,8 @@
"password": "Пароль",
"regex_pattern": "Маска регулярного выражения",
"used_for_client_side_validation": "Используется для проверки на стороне клиента",
- "minimum_value": "Минимальное значение",
- "maximum_value": "Максимальное значение",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Поле ввода",
"slider": "Слайдер",
"step": "Шаг",
@@ -1195,7 +1198,7 @@
"ui_panel_lovelace_editor_edit_view_type_helper_sections": "Вы не можете изменить тип вкладки на 'разделы', поскольку функция миграции ещё не готова. Создайте новую вкладку с нуля, если хотите поэкспериментировать с типом отображения 'разделы'.",
"card_configuration": "Настройка карточки",
"type_card_configuration": "Настройка карточки \"{type}\"",
- "edit_card_pick_card": "Какую карточку Вы хотели бы добавить?",
+ "add_to_dashboard": "Добавить на панель",
"toggle_editor": "Переключить редактор",
"you_have_unsaved_changes": "У вас есть несохраненные изменения",
"edit_card_confirm_cancel": "Вы уверены, что хотите отменить?",
@@ -1220,7 +1223,6 @@
"edit_badge_pick_badge": "Какой значок вы хотели бы добавить?",
"add_badge": "Добавить значок",
"suggest_card_header": "Вариант отображения в пользовательском интерфейсе",
- "add_to_dashboard": "Добавить на панель",
"move_card_strategy_error_title": "Невозможно переместить карточку",
"card_moved_successfully": "Карточка успешно перемещена",
"error_while_moving_card": "Ошибка при перемещении карточки",
@@ -1272,7 +1274,7 @@
"mobile": "Телефон",
"tablet": "Планшет",
"desktop": "Компьютер",
- "wide": "Ширина",
+ "wide": "Широкий",
"min_size_px": "минимум: {size} пикселей",
"entity_state": "Состояние объекта",
"state_is_equal_to": "Состояние равно",
@@ -1314,6 +1316,7 @@
"history_graph_fit_y_data": "Расширить ось Y для вмещения данных",
"statistics_graph": "График статистики",
"period": "Период",
+ "unit": "Единица измерения",
"show_stat_types": "Показывать типы статистики",
"chart_type": "Тип графика",
"line": "Линия",
@@ -1326,7 +1329,7 @@
"last_week": "Прошлая неделя",
"horizontal_stack": "Горизонтальный стек",
"humidifier": "Увлажнитель",
- "humidifier_show_current_as_primary": "Показывать текущую влажность как основную информацию",
+ "humidifier_show_current_as_primary": "Показывать текущую влажность как основную",
"webpage": "Веб-страница",
"alternative_text": "Альтернативный текст",
"aspect_ratio": "Соотношение сторон",
@@ -1383,8 +1386,14 @@
"show_more_detail": "Больше деталей на графике",
"to_do_list": "Список дел",
"hide_completed_items": "Скрыть выполненные",
+ "ui_panel_lovelace_editor_card_todo_list_display_order": "Порядок отображения",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc": "По алфавиту (А-Я)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_desc": "По алфавиту (Я-А)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc": "По дате выполнения (сначала ранняя)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc": "По дате выполнения (сначала поздняя)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_manual": "Вручную",
"thermostat": "Термостат",
- "thermostat_show_current_as_primary": "Показывать текущую температуру как основную информацию",
+ "thermostat_show_current_as_primary": "Показывать текущую температуру как основную",
"tile": "Плитка",
"icon_tap_behavior": "При нажатии на иконку",
"show_entity_picture": "Показывать изображение объекта",
@@ -1480,139 +1489,118 @@
"now": "Текущий период",
"compare_data": "Сравнить данные",
"reload_ui": "Перезагрузить пользовательский интерфейс",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Вспомогательный переключатель",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
+ "home_assistant_api": "Home Assistant API",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
"tag": "Метка",
- "input_datetime": "Вспомогательная дата и время",
- "solis_inverter": "Solis Inverter",
+ "media_source": "Media Source",
+ "mobile_app": "Мобильное приложение",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Диагностика",
+ "filesize": "Filesize",
+ "group": "Группа",
+ "binary_sensor": "Бинарный сенсор",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Вспомогательный список",
+ "device_automation": "Device Automation",
+ "input_button": "Вспомогательная кнопка",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Регистратор",
+ "script": "Скрипт",
+ "fan": "Вентиляция",
"scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Таймер",
- "intent": "Intent",
- "device_tracker": "Устройство для отслеживания",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
- "home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
- "fan": "Вентилятор",
- "weather": "Погода",
- "camera": "Камера",
"schedule": "Расписание",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Автоматизация",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Погода",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Диалог",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Вспомогательный текст",
- "valve": "Клапан",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Климат",
- "binary_sensor": "Бинарный сенсор",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Автоматизация",
+ "system_log": "System Log",
+ "cover": "Шторы",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Клапан",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Шторы",
- "samsungtv_smart": "SamsungTV Smart",
- "google_assistant": "Google Assistant",
- "zone": "Зона",
- "auth": "Auth",
- "event": "Событие",
- "home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Выключатель",
- "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
- "google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Постоянное уведомление",
- "trace": "Trace",
- "remote": "Пульт ДУ",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
"tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Счётчик",
- "filesize": "Filesize",
+ "siren": "Сирена",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
"image_upload": "Image Upload",
- "recorder": "Recorder",
"home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Вспомогательный переключатель",
- "lawn_mower": "Lawn mower",
- "input_select": "Вспомогательный список",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Мобильное приложение",
- "media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
- "shelly": "Shelly",
- "group": "Группа",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "google_assistant": "Google Assistant",
+ "daikin_ac": "Daikin AC",
"fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Диагностика",
- "localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Вспомогательное число",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Учетные данные приложения",
- "siren": "Сирена",
- "bluetooth": "Bluetooth",
- "logger": "Регистратор",
- "input_button": "Вспомогательная кнопка",
+ "device_tracker": "Устройство для отслеживания",
+ "remote": "Пульт ДУ",
+ "home_assistant_cloud": "Home Assistant Cloud",
+ "persistent_notification": "Постоянное уведомление",
"vacuum": "Пылесос",
"reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
+ "camera": "Камера",
+ "hacs": "HACS",
+ "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
+ "google_assistant_sdk": "Google Assistant SDK",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Вспомогательное число",
+ "google_cast": "Google Cast",
"rpi_power_title": "Raspberry Pi power supply checker",
- "assist_satellite": "Assist satellite",
- "script": "Скрипт",
- "ring": "Ring",
+ "conversation": "Диалог",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Климат",
+ "recorder": "Recorder",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Событие",
+ "zone": "Зона",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
+ "timer": "Таймер",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Выключатель",
+ "input_datetime": "Вспомогательная дата и время",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Счётчик",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
"configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Учетные данные приложения",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
+ "media_extractor": "Media Extractor",
+ "stream": "Stream",
+ "shelly": "Shelly",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Вспомогательный текст",
+ "localtuya": "LocalTuya integration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Количество пробуждений",
- "battery_level": "Уровень заряда аккумулятора",
- "bmi": "ИМТ",
- "body_fat": "Жир в организме",
- "calories": "Калории",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Этажи",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Время начала сна",
- "sleep_time_in_bed": "Время сна в постели",
- "steps": "Шаги",
"battery_low": "Низкий заряд батареи",
"cloud_connection": "Облачное подключение",
"humidity_warning": "Предупреждение о влажности",
@@ -1641,6 +1629,7 @@
"alarm_source": "Источник сигнализации",
"auto_off_at": "Автоотключение в",
"available_firmware_version": "Доступная версия прошивки",
+ "battery_level": "Уровень заряда аккумулятора",
"this_month_s_consumption": "Потребление за этот месяц",
"today_s_consumption": "Потребление сегодня",
"total_consumption": "Общее потребление",
@@ -1665,30 +1654,16 @@
"motion_sensor": "Датчик движение",
"smooth_transitions": "Плавные переходы",
"tamper_detection": "Обнаружение вмешательства",
- "next_dawn": "Следующий рассвет",
- "next_dusk": "Следующие сумерки",
- "next_midnight": "Следующая полночь",
- "next_noon": "Следующий полдень",
- "next_rising": "Следующий восход",
- "next_setting": "Следующий заход",
- "solar_elevation": "Высота над горизонтом",
- "solar_rising": "Восходит",
- "day_of_week": "День недели",
- "illuminance": "Освещенность",
- "noise": "Шум",
- "overload": "Перегрузка",
- "working_location": "Место работы",
- "created": "Создан",
- "size": "Размер",
- "size_in_bytes": "Размер в байтах",
- "compressor_energy_consumption": "Энергопотребление компрессора",
- "compressor_estimated_power_consumption": "Расчетная потребляемая мощность компрессора",
- "compressor_frequency": "Частота компрессора",
- "cool_energy_consumption": "Потребление энергии на охлаждение",
- "energy_consumption": "Потребление энергии",
- "heat_energy_consumption": "Потребление энергии на нагрев",
- "inside_temperature": "Температура внутри помещения",
- "outside_temperature": "Температура наружного воздуха",
+ "calibration": "Калибровка",
+ "auto_lock_paused": "Автоблокировка приостановлена",
+ "timeout": "Тайм-аут",
+ "unclosed_alarm": "Не на сигнализации",
+ "unlocked_alarm": "Разблокированная сигнализация",
+ "bluetooth_signal": "Сигнал Bluetooth",
+ "light_level": "Уровень освещенности",
+ "wi_fi_signal": "Сигнал Wi-Fi",
+ "momentary": "Мгновенный",
+ "pull_retract": "Вытягивание/втягивание",
"process_process": "Процесс {process}",
"disk_free_mount_point": "Свободно на диске {mount_point}",
"disk_use_mount_point": "Использовано на диске {mount_point}",
@@ -1710,34 +1685,76 @@
"swap_usage": "Использование подкачки",
"network_throughput_in_interface": "Входящая пропускная способность {interface}",
"network_throughput_out_interface": "Исходящая пропускная способность {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist в работе",
- "preferred": "Предпочтительный",
- "finished_speaking_detection": "Определение окончания разговора",
- "aggressive": "Агрессивная",
- "relaxed": "Расслабленная",
- "os_agent_version": "Версия OS Agent",
- "apparmor_version": "Версия Apparmor",
- "cpu_percent": "Использование ЦП",
- "disk_free": "Памяти доступно",
- "disk_total": "Памяти всего",
- "disk_used": "Памяти использовано",
- "memory_percent": "Использование ОЗУ",
- "version": "Версия",
- "newest_version": "Новая версия",
+ "day_of_week": "День недели",
+ "illuminance": "Освещенность",
+ "noise": "Шум",
+ "overload": "Перегрузка",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Количество пробуждений",
+ "bmi": "ИМТ",
+ "body_fat": "Жир в организме",
+ "calories": "Калории",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Этажи",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Время начала сна",
+ "sleep_time_in_bed": "Время сна в постели",
+ "steps": "Шаги",
"synchronize_devices": "Синхронизировать устройства",
- "estimated_distance": "Ориентировочное расстояние",
- "vendor": "Производитель",
- "quiet": "Тихий",
- "wake_word": "Фраза активации",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
- "mic_volume": "Громкость микрофона",
- "noise_suppression_level": "Noise suppression level",
- "off": "Выключено",
- "mute": "Mute",
+ "ding": "Звонок",
+ "last_recording": "Последняя запись",
+ "intercom_unlock": "Разблокировка домофона",
+ "doorbell_volume": "Громкость дверного звонка",
+ "mic_volume": "Mic volume",
+ "voice_volume": "Громкость голоса",
+ "last_activity": "Последняя активность",
+ "last_ding": "Последний звонок",
+ "last_motion": "Последнее движение",
+ "wi_fi_signal_category": "Категория сигнала Wi-Fi",
+ "wi_fi_signal_strength": "Уровень сигнала Wi-Fi",
+ "in_home_chime": "Звонок в доме",
+ "compressor_energy_consumption": "Энергопотребление компрессора",
+ "compressor_estimated_power_consumption": "Расчетная потребляемая мощность компрессора",
+ "compressor_frequency": "Частота компрессора",
+ "cool_energy_consumption": "Потребление энергии на охлаждение",
+ "energy_consumption": "Потребление энергии",
+ "heat_energy_consumption": "Потребление энергии на нагрев",
+ "inside_temperature": "Температура внутри помещения",
+ "outside_temperature": "Температура наружного воздуха",
+ "device_admin": "Администратор устройства",
+ "kiosk_mode": "Режим \"киоска\"",
+ "connected": "Подключено",
+ "load_start_url": "Загрузить стартовый URL",
+ "restart_browser": "Перезагрузить браузер",
+ "restart_device": "Перезагрузить устройство",
+ "send_to_background": "Отправить на задний план",
+ "bring_to_foreground": "Вывести на передний план",
+ "screenshot": "Скриншот",
+ "overlay_message": "Наложенное сообщение",
+ "screen_brightness": "Яркость экрана",
+ "screen_off_timer": "Тайм-аут выключения экрана",
+ "screensaver_brightness": "Яркость заставки",
+ "screensaver_timer": "Таймер заставки",
+ "current_page": "Текущая страница",
+ "foreground_app": "Приложение переднего плана",
+ "internal_storage_free_space": "Свободный объем внутренней памяти",
+ "internal_storage_total_space": "Общий объем внутренней памяти",
+ "free_memory": "Free memory",
+ "total_memory": "Общий объем памяти",
+ "screen_orientation": "Ориентация экрана",
+ "kiosk_lock": "Блокировка Kiosk",
+ "maintenance_mode": "Режим обслуживания",
+ "screensaver": "Заставка",
"animal": "Animal",
"animal_lens": "Animal lens 1",
"face": "Face",
@@ -1810,6 +1827,7 @@
"pir_sensitivity": "Чувствительность PIR",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Выключено",
"auto_track_method": "Auto track method",
"digital": "Цифровой",
"digital_first": "Сначала цифровой",
@@ -1858,7 +1876,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "Положение наклона PTZ",
"sd_hdd_index_storage": "Хранилище SD {hdd_index}",
- "wi_fi_signal": "Сигнал Wi-Fi",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1875,6 +1892,48 @@
"record": "Записать поток",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Создан",
+ "size": "Размер",
+ "size_in_bytes": "Размер в байтах",
+ "assist_in_progress": "Assist в работе",
+ "quiet": "Тихий",
+ "preferred": "Предпочтительный",
+ "finished_speaking_detection": "Определение окончания разговора",
+ "aggressive": "Агрессивная",
+ "relaxed": "Расслабленная",
+ "wake_word": "Фраза активации",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "Версия OS Agent",
+ "apparmor_version": "Версия Apparmor",
+ "cpu_percent": "Использование ЦП",
+ "disk_free": "Памяти доступно",
+ "disk_total": "Памяти всего",
+ "disk_used": "Памяти использовано",
+ "memory_percent": "Использование ОЗУ",
+ "version": "Версия",
+ "newest_version": "Новая версия",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Получено байт",
+ "server_country": "Страна сервера",
+ "server_id": "ID сервера",
+ "server_name": "Имя сервера",
+ "ping": "Пинг",
+ "upload": "Передача",
+ "bytes_sent": "Отправлено байт",
+ "working_location": "Место работы",
+ "next_dawn": "Следующий рассвет",
+ "next_dusk": "Следующие сумерки",
+ "next_midnight": "Следующая полночь",
+ "next_noon": "Следующий полдень",
+ "next_rising": "Следующий восход",
+ "next_setting": "Следующий заход",
+ "solar_elevation": "Высота над горизонтом",
+ "solar_rising": "Восходит",
"heavy": "Обильный",
"mild": "Умеренное",
"button_down": "Кнопка вниз",
@@ -1891,71 +1950,247 @@
"checking": "Проверка",
"closing": "Закрывается",
"opened": "Открыт",
- "ding": "Звонок",
- "last_recording": "Последняя запись",
- "intercom_unlock": "Разблокировка домофона",
- "doorbell_volume": "Громкость дверного звонка",
- "voice_volume": "Громкость голоса",
- "last_activity": "Последняя активность",
- "last_ding": "Последний звонок",
- "last_motion": "Последнее движение",
- "wi_fi_signal_category": "Категория сигнала Wi-Fi",
- "wi_fi_signal_strength": "Уровень сигнала Wi-Fi",
- "in_home_chime": "Звонок в доме",
- "calibration": "Калибровка",
- "auto_lock_paused": "Автоблокировка приостановлена",
- "timeout": "Тайм-аут",
- "unclosed_alarm": "Не на сигнализации",
- "unlocked_alarm": "Разблокированная сигнализация",
- "bluetooth_signal": "Сигнал Bluetooth",
- "light_level": "Уровень освещенности",
- "momentary": "Мгновенный",
- "pull_retract": "Вытягивание/втягивание",
- "bytes_received": "Получено байт",
- "server_country": "Страна сервера",
- "server_id": "ID сервера",
- "server_name": "Имя сервера",
- "ping": "Пинг",
- "upload": "Передача",
- "bytes_sent": "Отправлено байт",
- "device_admin": "Администратор устройства",
- "kiosk_mode": "Режим \"киоска\"",
- "connected": "Подключено",
- "load_start_url": "Загрузить стартовый URL",
- "restart_browser": "Перезагрузить браузер",
- "restart_device": "Перезагрузить устройство",
- "send_to_background": "Отправить на задний план",
- "bring_to_foreground": "Вывести на передний план",
- "screenshot": "Скриншот",
- "overlay_message": "Наложенное сообщение",
- "screen_brightness": "Яркость экрана",
- "screen_off_timer": "Тайм-аут выключения экрана",
- "screensaver_brightness": "Яркость заставки",
- "screensaver_timer": "Таймер заставки",
- "current_page": "Текущая страница",
- "foreground_app": "Приложение переднего плана",
- "internal_storage_free_space": "Свободный объем внутренней памяти",
- "internal_storage_total_space": "Общий объем внутренней памяти",
- "free_memory": "Free memory",
- "total_memory": "Общий объем памяти",
- "screen_orientation": "Ориентация экрана",
- "kiosk_lock": "Блокировка Kiosk",
- "maintenance_mode": "Режим обслуживания",
- "screensaver": "Заставка",
- "last_scanned_by_device_id_name": "Последнее сканирование по идентификатору устройства",
- "tag_id": "Идентификатор метки",
- "managed_via_ui": "Управляется через пользовательский интерфейс",
- "pattern": "Шаблон",
- "minute": "Минута",
- "second": "Секунда",
- "timestamp": "Временная метка",
- "stopped": "Остановлено",
+ "estimated_distance": "Ориентировочное расстояние",
+ "vendor": "Производитель",
+ "accelerometer": "Акселерометр",
+ "binary_input": "Бинарный ввод",
+ "calibrated": "Откалиброван",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "Внешний сенсор",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Открыто вручную",
+ "heat_required": "Требуется тепло",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Статус обнаружения открытого окна",
+ "pre_heat_status": "Состояние предварительного нагрева",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Обнаружение открытого окна",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Вентиляторы",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Коррекция датчика окружающей среды",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Количество буста",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Локальный уровень затемнения по умолчанию",
+ "remote_default_dimming_level": "Удаленный уровень затемнения по умолчанию",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Задержка обнаружения",
+ "maximum_range": "Максимальный диапазон",
+ "minimum_range": "Минимальный диапазон",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Тайм-аут активности дисплея",
+ "display_brightness": "Яркость дисплея",
+ "display_inactive_brightness": "Яркость дисплея в неактивном состоянии",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "Коррекция внешнего датчика",
+ "external_temperature_sensor": "Внешний датчик температуры",
+ "fade_time": "Время затухания",
+ "fallback_timeout": "Тайм-аут обратного хода",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Фиксированная потребность в нагрузке",
+ "frost_protection_temperature": "Температура защиты от замерзания",
+ "irrigation_cycles": "Циклы орошения",
+ "irrigation_interval": "Интервал орошения",
+ "irrigation_target": "Цель орошения",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Локальное смещение температуры",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Период защиты при обнаружении открытых окон",
+ "open_window_detection_threshold": "Порог обнаружения открытого окна",
+ "open_window_event_duration": "Продолжительность события открытого окна",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Тайм-аут обнаружения присутствия",
+ "presence_sensitivity": "Чувствительность к присутствию",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Уставка регулятора",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Время сирены",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Начальный уровень затемнения по умолчанию",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Время, оставшееся на таймере",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Степень закрытия клапана",
+ "irrigation_time": "Время орошения 2",
+ "valve_opening_degree": "Степень открытия клапана",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Режим нажатия",
+ "control_type": "Тип управления",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Расстояние обнаружения",
+ "detection_sensitivity": "Чувствительность обнаружения",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "Тип внешнего датчика температуры",
+ "external_trigger_mode": "Режим внешнего триггера",
+ "heat_transfer_medium": "Теплоноситель",
+ "heating_emitter_type": "Тип нагревательного излучателя",
+ "heating_fuel": "Топливо для отопления",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Режим орошения",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Режим затемнения",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Локальный источник температуры",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Режим работы",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Период регулирования",
+ "sensor_mode": "Режим сенсора",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Режим переключения",
+ "switch_type": "Switch type",
+ "thermostat_application": "Применение термостата",
+ "thermostat_mode": "Режим термостата",
+ "valve_orientation": "Ориентация клапана",
+ "viewing_direction": "Направление просмотра",
+ "weather_delay": "Задержка погоды",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "Частота переменного тока",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "В процессе выполнения",
+ "run_successful": "Успешное выполнение",
+ "valve_characteristic_lost": "Характеристики клапана потеряны",
+ "analog_input": "Аналоговый вход",
+ "control_status": "Состояние управления",
+ "device_run_time": "Время работы устройства",
+ "device_temperature": "Температура устройства",
+ "target_distance": "Расстояние до цели",
+ "filter_run_time": "Время работы фильтра",
+ "formaldehyde_concentration": "Концентрация формальдегида",
+ "hooks_state": "Hooks state",
+ "hvac_action": "Действие ОВиК",
+ "instantaneous_demand": "Мгновенный спрос",
+ "internal_temperature": "Внутренняя температура",
+ "irrigation_duration": "Продолжительность орошения 1",
+ "last_irrigation_duration": "Продолжительность последнего орошения",
+ "irrigation_end_time": "Время окончания орошения",
+ "irrigation_start_time": "Время начала орошения",
+ "last_feeding_size": "Размер последнего кормления",
+ "last_feeding_source": "Источник последнего кормления",
+ "last_illumination_state": "Последнее состояние освещенности",
+ "last_valve_open_duration": "Продолжительность последнего открытия клапана",
+ "leaf_wetness": "Влажность листьев",
+ "load_estimate": "Оценка нагрузки",
+ "floor_temperature": "Температура пола",
+ "lqi": "LQI",
+ "motion_distance": "Расстояние движения",
+ "motor_stepcount": "Счетчик шагов двигателя",
+ "open_window_detected": "Обнаружено открытое окно",
+ "overheat_protection": "Защита от перегрева",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Выданные сегодня порции",
+ "pre_heat_time": "Время предварительного нагрева",
+ "rssi": "RSSI",
+ "self_test_result": "Результат самодиагностики",
+ "setpoint_change_source": "Источник изменения уставки",
+ "smoke_density": "Плотность дыма",
+ "software_error": "Программная ошибка",
+ "good": "Хорошо",
+ "critical_low_battery": "Критически низкий уровень заряда батареи",
+ "encoder_jammed": "Энкодер заклинило",
+ "invalid_clock_information": "Неверная информация о часах",
+ "invalid_internal_communication": "Недопустимая внутренняя коммуникация",
+ "motor_error": "Ошибка двигателя",
+ "non_volatile_memory_error": "Ошибка энергонезависимой памяти",
+ "radio_communication_error": "Ошибка радиосвязи",
+ "side_pcb_sensor_error": "Ошибка датчика боковой платы",
+ "top_pcb_sensor_error": "Ошибка датчика верхней платы",
+ "unknown_hw_error": "Неизвестная аппаратная ошибка",
+ "soil_moisture": "Влажность почвы",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Состояние таймера",
+ "weight_dispensed_today": "Выданный сегодня вес",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Адаптационный запуск активирован",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Отсоединить реле",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Отключить светодиод",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Включить сирену",
+ "external_window_sensor": "Внешний сенсор окна",
+ "distance_switch": "Дистанционный переключатель",
+ "firmware_progress_led": "Светодиодный индикатор процесса прошивки",
+ "heartbeat_indicator": "Индикатор Heartbeat",
+ "heat_available": "Тепло доступно",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Инвертировать выключатель",
+ "inverted": "Inverted",
+ "led_indicator": "Светодиодный индикатор",
+ "linkage_alarm": "Сигнал тревоги на линии связи",
+ "local_protection": "Локальная защита",
+ "mounting_mode": "Режим монтажа",
+ "only_led_mode": "Режим одного светодиода",
+ "open_window": "Открыть окно",
+ "power_outage_memory": "Память при отключении питания",
+ "prioritize_external_temperature_sensor": "Приоритизация внешнего сенсора температуры",
+ "relay_click_in_on_off_mode_name": "Отключить щелчок реле в режиме включения / выключения",
+ "smart_bulb_mode": "Режим интеллектуальной лампы",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "Светодиодный индикатор запуска",
+ "turbo_mode": "Турбо режим",
+ "use_internal_window_detection": "Использовать внутреннее обнаружение окна",
+ "use_load_balancing": "Использовать балансировку нагрузки",
+ "valve_detection": "Обнаружение крана",
+ "window_detection": "Обнаружение окон",
+ "invert_window_detection": "Инвертировать обнаружение окна",
+ "available_tones": "Доступные тона",
"device_trackers": "Отслеживающие устройства",
"gps_accuracy": "Точность GPS",
- "paused": "Пауза",
- "finishes_at": "Заканчивается в",
- "remaining": "Осталось",
- "restore": "Восстановить",
"last_reset": "Последние состояние",
"possible_states": "Возможные состояния",
"state_class": "Класс состояния",
@@ -1987,72 +2222,12 @@
"sound_pressure": "Звуковое воздействие",
"speed": "Speed",
"sulphur_dioxide": "Диоксид серы",
+ "timestamp": "Временная метка",
"vocs": "Летучие органические вещества",
"volume_flow_rate": "Объемный расход",
"stored_volume": "Хранимый объем",
"weight": "Вес",
- "cool": "Охлаждение",
- "fan_only": "Только вентиляция",
- "heat_cool": "Обогрев / Охлаждение",
- "aux_heat": "Дополнительный нагрев",
- "current_humidity": "Текущая влажность",
- "current_temperature": "Current Temperature",
- "fan_mode": "Режим вентиляции",
- "diffuse": "Диффузный",
- "top": "Вверх",
- "current_action": "Текущее действие",
- "defrosting": "Разморозка",
- "heating": "Обогрев",
- "preheating": "Предварительный нагрев",
- "max_target_humidity": "Максимальная целевая влажность",
- "max_target_temperature": "Максимальная целевая температура",
- "min_target_humidity": "Минимальная целевая влажность",
- "min_target_temperature": "Минимальная целевая температура",
- "boost": "Турбо",
- "comfort": "Комфорт",
- "eco": "Эко",
- "horizontal_swing_mode": "Режим горизонтального качания",
- "swing_mode": "Режим качания",
- "both": "Оба",
- "horizontal": "Горизонтально",
- "upper_target_temperature": "Верхняя целевая температура",
- "lower_target_temperature": "Нижняя целевая температура",
- "target_temperature_step": "Шаг установки целевой температуры",
- "not_charging": "Не заряжается",
- "hot": "Горячий",
- "no_light": "Нет света",
- "light_detected": "Обнаружен свет",
- "locked": "Заблокировано",
- "unlocked": "Открыто",
- "not_moving": "Не перемещается",
- "not_running": "Не работает",
- "safe": "Безопасно",
- "unsafe": "Небезопасно",
- "tampering_detected": "Обнаружено",
- "box": "Ящик",
- "above_horizon": "Над горизонтом",
- "below_horizon": "Ниже горизонта",
- "buffering": "Буферизация",
- "playing": "Воспроизведение",
- "app_id": "ID приложения",
- "local_accessible_entity_picture": "Изображение локального доступного объекта",
- "group_members": "Участники группы",
- "muted": "Без звука",
- "album_artist": "Исполнитель альбома",
- "content_id": "ID контента",
- "content_type": "Тип контента",
- "channels": "Канал",
- "position_updated": "Позиция обновлена",
- "all": "Все",
- "one": "Один",
- "available_sound_modes": "Доступные звуковые режимы",
- "available_sources": "Доступные источники",
- "receiver": "Приемник",
- "speaker": "Наушник",
- "tv": "ТВ",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Маршрутизатор",
+ "managed_via_ui": "Управляется через пользовательский интерфейс",
"color_mode": "Color Mode",
"brightness_only": "Только яркость",
"hs": "HS",
@@ -2068,13 +2243,33 @@
"minimum_color_temperature_kelvin": "Минимальная цветовая температура (Кельвин)",
"minimum_color_temperature_mireds": "Минимальная цветовая температура (В градусах)",
"available_color_modes": "Доступные цветовые режимы",
- "available_tones": "Доступные тона",
"docked": "У док-станции",
"mowing": "Mowing",
+ "paused": "Пауза",
"returning": "Возвращается",
+ "pattern": "Шаблон",
+ "running_automations": "Запущенные автоматизации",
+ "max_running_scripts": "Максимальное количество запущенных скриптов",
+ "run_mode": "Режим запуска",
+ "parallel": "Параллельный",
+ "queued": "Очередь",
+ "single": "Одиночный",
+ "auto_update": "Автоматическое обновление",
+ "installed_version": "Установленная версия",
+ "latest_version": "Последняя версия",
+ "release_summary": "Краткое описание выпуска",
+ "release_url": "URL-адрес выпуска",
+ "skipped_version": "Пропущенная версия",
+ "firmware": "Обновление прошивки",
"oscillating": "Колебания",
"speed_step": "Шаг скорости",
"available_preset_modes": "Доступные предустановки",
+ "minute": "Минута",
+ "second": "Секунда",
+ "next_event": "Следующее событие",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Маршрутизатор",
"sunny": "Ясно",
"cloudy": "Облачно",
"warning": "Предупреждение",
@@ -2096,24 +2291,9 @@
"uv_index": "УФ-индекс",
"wind_bearing": "Порывы ветра",
"wind_gust_speed": "Скорость порывов ветра",
- "auto_update": "Автоматическое обновление",
- "in_progress": "В процессе выполнения",
- "installed_version": "Установленная версия",
- "latest_version": "Последняя версия",
- "release_summary": "Краткое описание выпуска",
- "release_url": "URL-адрес выпуска",
- "skipped_version": "Пропущенная версия",
- "firmware": "Обновление прошивки",
- "armed_away": "Охрана (не дома)",
- "armed_home": "Охрана (дома)",
- "armed_night": "Охрана (ночь)",
- "armed_vacation": "Охрана (отпуск)",
- "disarming": "Снятие с охраны",
- "changed_by": "Кем изменено",
- "code_for_arming": "Код постановки на охрану",
- "not_required": "Не требуется",
- "code_format": "Формат кода",
"identify": "Идентификация",
+ "cleaning": "Уборка",
+ "returning_to_dock": "Возвращается к док-станции",
"recording": "Запись",
"streaming": "Трансляция",
"access_token": "Токен доступа",
@@ -2122,96 +2302,133 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Модель",
+ "last_scanned_by_device_id_name": "Последнее сканирование по идентификатору устройства",
+ "tag_id": "Идентификатор метки",
+ "automatic": "Автоматически",
+ "box": "Ящик",
+ "jammed": "Заклинило",
+ "locked": "Заблокировано",
+ "locking": "Блокировка",
+ "unlocked": "Открыто",
+ "unlocking": "Разблокировка",
+ "changed_by": "Кем изменено",
+ "code_format": "Формат кода",
+ "members": "Участники",
+ "listening": "Прослушивание",
+ "processing": "Обработка",
+ "responding": "Отвечает",
+ "id": "ID",
+ "max_running_automations": "Максимальное количество запущенных автоматизаций",
+ "cool": "Охлаждение",
+ "fan_only": "Только вентиляция",
+ "heat_cool": "Обогрев / Охлаждение",
+ "aux_heat": "Дополнительный нагрев",
+ "current_humidity": "Текущая влажность",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Режим вентиляции",
+ "diffuse": "Диффузный",
+ "top": "Вверх",
+ "current_action": "Текущее действие",
+ "defrosting": "Разморозка",
+ "preheating": "Предварительный нагрев",
+ "max_target_humidity": "Максимальная целевая влажность",
+ "max_target_temperature": "Максимальная целевая температура",
+ "min_target_humidity": "Минимальная целевая влажность",
+ "min_target_temperature": "Минимальная целевая температура",
+ "boost": "Турбо",
+ "comfort": "Комфорт",
+ "eco": "Эко",
+ "horizontal_swing_mode": "Режим горизонтального качания",
+ "swing_mode": "Режим качания",
+ "both": "Оба",
+ "horizontal": "Горизонтально",
+ "upper_target_temperature": "Верхняя целевая температура",
+ "lower_target_temperature": "Нижняя целевая температура",
+ "target_temperature_step": "Шаг установки целевой температуры",
+ "stopped": "Остановлен",
+ "garage": "Гараж",
+ "not_charging": "Не заряжается",
+ "unplugged": "Отключено",
+ "hot": "Горячий",
+ "no_light": "Нет света",
+ "light_detected": "Обнаружен свет",
+ "not_moving": "Не перемещается",
+ "not_running": "Не работает",
+ "safe": "Безопасно",
+ "unsafe": "Небезопасно",
+ "tampering_detected": "Обнаружено",
+ "buffering": "Буферизация",
+ "playing": "Воспроизведение",
+ "app_id": "ID приложения",
+ "local_accessible_entity_picture": "Изображение локального доступного объекта",
+ "group_members": "Участники группы",
+ "muted": "Без звука",
+ "album_artist": "Исполнитель альбома",
+ "content_id": "ID контента",
+ "content_type": "Тип контента",
+ "channels": "Канал",
+ "position_updated": "Позиция обновлена",
+ "all": "Все",
+ "one": "Один",
+ "available_sound_modes": "Доступные звуковые режимы",
+ "available_sources": "Доступные источники",
+ "receiver": "Приемник",
+ "speaker": "Наушник",
+ "tv": "ТВ",
"end_time": "Время окончания",
"start_time": "Время начала",
- "next_event": "Следующее событие",
- "garage": "Гараж",
"event_type": "Тип события",
"event_types": "Типы событий",
"doorbell": "Дверной звонок",
- "running_automations": "Запущенные автоматизации",
- "id": "ID",
- "max_running_automations": "Максимальное количество запущенных автоматизаций",
- "run_mode": "Режим запуска",
- "parallel": "Параллельный",
- "queued": "Очередь",
- "single": "Одиночный",
- "cleaning": "Уборка",
- "returning_to_dock": "Возвращается к док-станции",
- "listening": "Прослушивание",
- "processing": "Обработка",
- "responding": "Отвечает",
- "max_running_scripts": "Максимальное количество запущенных скриптов",
- "jammed": "Заклинило",
- "locking": "Блокировка",
- "unlocking": "Разблокировка",
- "members": "Участники",
- "known_hosts": "Известные хосты",
- "google_cast_configuration": "Настройка Google Cast",
- "confirm_description": "Хотите настроить {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Эта учётная запись уже добавлена в Home Assistant",
- "abort_already_in_progress": "Процесс настройки уже выполняется",
- "failed_to_connect": "Не удалось подключиться",
- "invalid_access_token": "Неверный токен доступа",
- "invalid_authentication": "Ошибка аутентификации",
- "received_invalid_token_data": "Получены недопустимые данные токена.",
- "abort_oauth_failed": "Ошибка при получении токена доступа.",
- "timeout_resolving_oauth_token": "Тайм-аут распознавания токена OAuth.",
- "abort_oauth_unauthorized": "Ошибка авторизации OAuth при получении токена доступа.",
- "re_authentication_was_successful": "Повторная аутентификация выполнена успешно",
- "unexpected_error": "Непредвиденная ошибка",
- "successfully_authenticated": "Аутентификация пройдена успешно",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Выберите способ аутентификации",
- "authentication_expired_for_name": "Истек срок аутентификации {name}",
+ "above_horizon": "Над горизонтом",
+ "below_horizon": "Ниже горизонта",
+ "armed_away": "Охрана (не дома)",
+ "armed_home": "Охрана (дома)",
+ "armed_night": "Охрана (ночь)",
+ "armed_vacation": "Охрана (отпуск)",
+ "disarming": "Снятие с охраны",
+ "code_for_arming": "Код постановки на охрану",
+ "not_required": "Не требуется",
+ "finishes_at": "Заканчивается в",
+ "remaining": "Осталось",
+ "restore": "Восстановить",
"device_is_already_configured": "Это устройство уже добавлено в Home Assistant",
+ "failed_to_connect": "Не удалось подключиться",
"abort_no_devices_found": "Устройства не найдены в сети",
+ "re_authentication_was_successful": "Повторная аутентификация выполнена успешно",
"re_configuration_was_successful": "Повторная настройка выполнена успешно",
"connection_error_error": "Ошибка подключения: {error}",
"unable_to_authenticate_error": "Не удалось выполнить аутентификацию: {error}",
"camera_stream_authentication_failed": "Не удалось выполнить аутентификацию потока с камеры",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "Включить просмотр в реальном времени с камеры",
- "username": "Имя пользователя",
+ "username": "Username",
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Установите учетные данные камеры",
"authenticate": "Аутентифицировать",
+ "authentication_expired_for_name": "Истек срок аутентификации {name}",
"host": "Host",
"reconfigure_description": "Обновите конфигурацию устройства {mac}",
"reconfigure_tplink_entry": "Перенастроить запись TPLink",
"abort_single_instance_allowed": "Настройка уже выполнена. Возможно добавить только одну конфигурацию.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Хотите начать настройку?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Ошибка при взаимодействии с API SwitchBot: {error_detail}",
+ "unsupported_switchbot_type": "Неподдерживаемый тип Switchbot.",
+ "unexpected_error": "Непредвиденная ошибка",
+ "authentication_failed_error_detail": "Ошибка аутентификации: {error_detail}",
+ "error_encryption_key_invalid": "Недействителен идентификатор ключа или ключ шифрования.",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Хотите настроить {name}?",
+ "switchbot_account_recommended": "Учетная запись SwitchBot (рекомендуется)",
+ "enter_encryption_key_manually": "Ввести ключ шифрования вручную",
+ "encryption_key": "Ключ шифрования",
+ "key_id": "Идентификатор ключа",
+ "password_description": "Пароль для защиты резервной копии.",
+ "mac_address": "MAC-адрес",
"service_is_already_configured": "Эта служба уже добавлена в Home Assistant",
- "invalid_ics_file": "Недопустимый файл .ics",
- "calendar_name": "Название календаря",
- "starting_data": "Начальные данные",
+ "abort_already_in_progress": "Процесс настройки уже выполняется",
"abort_invalid_host": "Неверное имя хоста или IP-адрес",
"device_not_supported": "Это устройство не поддерживается.",
+ "invalid_authentication": "Ошибка аутентификации",
"name_model_at_host": "{name} ({model}, {host})",
"authenticate_to_the_device": "Авторизация на устройстве",
"finish_title": "Укажите название устройства",
@@ -2219,58 +2436,26 @@
"yes_do_it": "Да, сделать это.",
"unlock_the_device_optional": "Разблокировка устройства (необязательно)",
"connect_to_the_device": "Подключение к устройству",
- "abort_missing_credentials": "Для интеграции требуются учетные данные приложения.",
- "timeout_establishing_connection": "Истекло время подключения",
- "link_google_account": "Учетная запись Google",
- "path_is_not_allowed": "Путь к файлу не имеет нужных разрешений.",
- "path_is_not_valid": "Неправильный путь к файлу.",
- "path_to_file": "Путь к файлу",
- "api_key": "Ключ API",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Адаптер",
- "multiple_adapters_description": "Выберите адаптер Bluetooth для настройки",
- "arm_away_action": "Действие при поставке в режиме \"Не дома\"",
- "arm_custom_bypass_action": "Действие при поставке в режиме с исключениями",
- "arm_home_action": "Действие при поставке в режиме \"Дома\"",
- "arm_night_action": "Действие при поставке в режиме \"Ночь\"",
- "arm_vacation_action": "Действие при поставке в режиме \"Отпуск\"",
- "code_arm_required": "Требовать код для постановки на охрану",
- "disarm_action": "Действие при снятии с охраны",
- "trigger_action": "Действие при срабатывании",
- "value_template": "Шаблон значения",
- "template_alarm_control_panel": "Шаблон панели управления сигнализацией",
- "device_class": "Класс устройства",
- "state_template": "Шаблон состояния",
- "template_binary_sensor": "Шаблон бинарного сенсора",
- "actions_on_press": "Действия при нажатии",
- "template_button": "Шаблон кнопки",
- "verify_ssl_certificate": "Проверять сертификат SSL",
- "template_image": "Шаблон изображения",
- "actions_on_set_value": "Действие при установке значения",
- "template_number": "Шаблон числа",
- "available_options": "Доступные варианты",
- "actions_on_select": "Действия при выборе",
- "template_select": "Шаблон списка",
- "template_sensor": "Шаблон сенсора",
- "actions_on_turn_off": "Действия при выключении",
- "actions_on_turn_on": "Действия при включении",
- "template_switch": "Шаблон переключателя",
- "template_helper": "Вспомогательный шаблон",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Эта учётная запись уже добавлена в Home Assistant",
+ "invalid_access_token": "Неверный токен доступа",
+ "received_invalid_token_data": "Получены недопустимые данные токена.",
+ "abort_oauth_failed": "Ошибка при получении токена доступа.",
+ "timeout_resolving_oauth_token": "Тайм-аут распознавания токена OAuth.",
+ "abort_oauth_unauthorized": "Ошибка авторизации OAuth при получении токена доступа.",
+ "successfully_authenticated": "Аутентификация пройдена успешно",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Выберите способ аутентификации",
+ "two_factor_code": "Код двухфакторной аутентификации",
+ "two_factor_authentication": "Двухфакторная аутентификация",
+ "reconfigure_ring_integration": "Перенастроить интеграцию Ring",
+ "abort_alternative_integration": "Устройство лучше поддерживается другой интеграцией",
+ "abort_incomplete_config": "В конфигурации отсутствует обязательная переменная",
+ "manual_description": "URL-адрес XML-файла описания устройства",
+ "manual_title": "Подключение устройства DLNA DMR",
+ "discovered_dlna_dmr_devices": "Обнаруженные устройства DLNA DMR",
+ "broadcast_address": "Широковещательный адрес",
+ "broadcast_port": "Широковещательный порт",
"abort_addon_info_failed": "Не удалось получить информацию о дополнении \"{addon}\".",
"abort_addon_install_failed": "Не удалось установить дополнение \"{addon}\".",
"abort_addon_start_failed": "Не удалось запустить дополнение \"{addon}\".",
@@ -2297,74 +2482,241 @@
"starting_add_on": "Запуск дополнения",
"menu_options_addon": "Использовать официальное дополнение {addon}.",
"menu_options_broker": "Ввести данные для подключения к брокеру MQTT вручную",
- "bridge_is_already_configured": "Настройка этого устройства уже выполнена.",
- "no_deconz_bridges_discovered": "Шлюзы deCONZ не найдены.",
- "abort_no_hardware_available": "К deCONZ не подключено радиооборудование.",
- "abort_updated_instance": "Адрес хоста обновлен.",
- "error_linking_not_possible": "Не удалось подключиться к шлюзу.",
- "error_no_key": "Не удалось получить ключ API.",
- "link_with_deconz": "Связь с deCONZ",
- "select_discovered_deconz_gateway": "Выберите обнаруженный шлюз deCONZ",
- "pin_code": "PIN-код",
- "discovered_android_tv": "Android TV",
- "abort_mdns_missing_mac": "Отсутствует MAC-адрес в свойствах MDNS.",
- "abort_mqtt_missing_api": "Отсутствует порт API в свойствах MQTT.",
- "abort_mqtt_missing_ip": "Отсутствует IP-адрес в свойствах MQTT.",
- "abort_mqtt_missing_mac": "Отсутствует MAC-адрес в свойствах MQTT.",
- "missing_mqtt_payload": "Отсутствует полезная нагрузка MQTT.",
- "action_received": "Действие получено",
- "discovered_esphome_node": "Обнаруженный узел ESPHome",
- "encryption_key": "Ключ шифрования",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "В конечной точке службы не найдены",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Устройство лучше поддерживается другой интеграцией",
- "abort_incomplete_config": "В конфигурации отсутствует обязательная переменная",
- "manual_description": "URL-адрес XML-файла описания устройства",
- "manual_title": "Подключение устройства DLNA DMR",
- "discovered_dlna_dmr_devices": "Обнаруженные устройства DLNA DMR",
+ "api_key": "Ключ API",
+ "cannot_connect_details_error_detail": "Не удается подключиться. Подробности: {error_detail}",
+ "unknown_details_error_detail": "Неизвестно. Подробности: {error_detail}",
+ "uses_an_ssl_certificate": "Используется сертификат SSL",
+ "verify_ssl_certificate": "Проверять сертификат SSL",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Адаптер",
+ "multiple_adapters_description": "Выберите адаптер Bluetooth для настройки",
"api_error_occurred": "Произошла ошибка API.",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Включить HTTPS",
- "broadcast_address": "Широковещательный адрес",
- "broadcast_port": "Широковещательный порт",
- "mac_address": "MAC-адрес",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Норвежский метеорологический институт.",
- "ipv_is_not_supported": "IPv6 не поддерживается.",
- "error_custom_port_not_supported": "Устройство Gen1 не поддерживает пользовательский порт.",
- "two_factor_code": "Код двухфакторной аутентификации",
- "two_factor_authentication": "Двухфакторная аутентификация",
- "reconfigure_ring_integration": "Перенастроить интеграцию Ring",
+ "timeout_establishing_connection": "Истекло время подключения",
+ "link_google_account": "Учетная запись Google",
+ "path_is_not_allowed": "Путь к файлу не имеет нужных разрешений.",
+ "path_is_not_valid": "Неправильный путь к файлу.",
+ "path_to_file": "Путь к файлу",
+ "pin_code": "PIN-код",
+ "discovered_android_tv": "Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "Все объекты",
"hide_members": "Скрыть участников",
"create_group": "Создать группу",
+ "device_class": "Device Class",
"ignore_non_numeric": "Игнорировать нечисловые значения",
"data_round_digits": "Округлять значения до числа десятичных знаков",
"type": "Тип",
"binary_sensor_group": "Бинарные сенсоры",
"cover_group": "Шторы или жалюзи",
"event_group": "События",
- "fan_group": "Вентиляторы",
"lock_group": "Замки",
"media_player_group": "Медиаплееры",
"sensor_group": "Сенсоры",
"switch_group": "Выключатели",
- "abort_api_error": "Ошибка при взаимодействии с API SwitchBot: {error_detail}",
- "unsupported_switchbot_type": "Неподдерживаемый тип Switchbot.",
- "authentication_failed_error_detail": "Ошибка аутентификации: {error_detail}",
- "error_encryption_key_invalid": "Недействителен идентификатор ключа или ключ шифрования.",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "Учетная запись SwitchBot (рекомендуется)",
- "enter_encryption_key_manually": "Ввести ключ шифрования вручную",
- "key_id": "Идентификатор ключа",
- "password_description": "Пароль для защиты резервной копии.",
- "device_address": "Адрес устройства",
- "cannot_connect_details_error_detail": "Не удается подключиться. Подробности: {error_detail}",
- "unknown_details_error_detail": "Неизвестно. Подробности: {error_detail}",
- "uses_an_ssl_certificate": "Используется сертификат SSL",
+ "known_hosts": "Известные хосты",
+ "google_cast_configuration": "Настройка Google Cast",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Отсутствует MAC-адрес в свойствах MDNS.",
+ "abort_mqtt_missing_api": "Отсутствует порт API в свойствах MQTT.",
+ "abort_mqtt_missing_ip": "Отсутствует IP-адрес в свойствах MQTT.",
+ "abort_mqtt_missing_mac": "Отсутствует MAC-адрес в свойствах MQTT.",
+ "missing_mqtt_payload": "Отсутствует полезная нагрузка MQTT.",
+ "action_received": "Действие получено",
+ "discovered_esphome_node": "Обнаруженный узел ESPHome",
+ "bridge_is_already_configured": "Настройка этого устройства уже выполнена.",
+ "no_deconz_bridges_discovered": "Шлюзы deCONZ не найдены.",
+ "abort_no_hardware_available": "К deCONZ не подключено радиооборудование.",
+ "abort_updated_instance": "Адрес хоста обновлен.",
+ "error_linking_not_possible": "Не удалось подключиться к шлюзу.",
+ "error_no_key": "Не удалось получить ключ API.",
+ "link_with_deconz": "Связь с deCONZ",
+ "select_discovered_deconz_gateway": "Выберите обнаруженный шлюз deCONZ",
+ "abort_missing_credentials": "Для интеграции требуются учетные данные приложения.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "В конечной точке службы не найдены",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 не поддерживается.",
+ "error_custom_port_not_supported": "Устройство Gen1 не поддерживает пользовательский порт.",
+ "arm_away_action": "Действие при поставке в режиме \"Не дома\"",
+ "arm_custom_bypass_action": "Действие при поставке в режиме с исключениями",
+ "arm_home_action": "Действие при поставке в режиме \"Дома\"",
+ "arm_night_action": "Действие при поставке в режиме \"Ночь\"",
+ "arm_vacation_action": "Действие при поставке в режиме \"Отпуск\"",
+ "code_arm_required": "Требовать код для постановки на охрану",
+ "disarm_action": "Действие при снятии с охраны",
+ "trigger_action": "Действие при срабатывании",
+ "value_template": "Шаблон значения",
+ "template_alarm_control_panel": "Шаблон панели управления сигнализацией",
+ "state_template": "Шаблон состояния",
+ "template_binary_sensor": "Шаблон бинарного сенсора",
+ "actions_on_press": "Действия при нажатии",
+ "template_button": "Шаблон кнопки",
+ "template_image": "Шаблон изображения",
+ "actions_on_set_value": "Действие при установке значения",
+ "template_number": "Шаблон числа",
+ "available_options": "Доступные варианты",
+ "actions_on_select": "Действия при выборе",
+ "template_select": "Шаблон списка",
+ "template_sensor": "Шаблон сенсора",
+ "actions_on_turn_off": "Действия при выключении",
+ "actions_on_turn_on": "Действия при включении",
+ "template_switch": "Шаблон переключателя",
+ "template_helper": "Вспомогательный шаблон",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "Это устройство не ZHA.",
+ "abort_usb_probe_failed": "Не удалось проверить USB-устройство.",
+ "invalid_backup_json": "Неверный JSON резервного копирования",
+ "choose_an_automatic_backup": "Выберите автоматическое резервное копирование",
+ "restore_automatic_backup": "Восстановление из автоматически созданной резервной копии",
+ "choose_formation_strategy_description": "Выберите настройки сети для Вашего радиомодуля.",
+ "restore_an_automatic_backup": "Восстановить из автоматически созданной резервной копии",
+ "create_a_network": "Создать сеть",
+ "keep_radio_network_settings": "Не изменять настройки сети",
+ "upload_a_manual_backup": "Загрузка резервной копии вручную",
+ "network_formation": "Формирование сети",
+ "serial_device_path": "Путь к устройству",
+ "select_a_serial_port": "Выберите последовательный порт",
+ "radio_type": "Тип радиомодуля",
+ "manual_pick_radio_type_description": "Выберите тип радиомодуля Zigbee",
+ "port_speed": "Скорость порта",
+ "data_flow_control": "Управление потоком данных",
+ "manual_port_config_description": "Укажите настройки последовательного порта",
+ "serial_port_settings": "Настройки последовательного порта",
+ "data_overwrite_coordinator_ieee": "Изменить IEEE-адрес радиомодуля",
+ "overwrite_radio_ieee_address": "Перезапись IEEE-адреса радиомодуля",
+ "upload_a_file": "Загрузить файл",
+ "radio_is_not_recommended": "Не рекомендуемый радиомодуль",
+ "invalid_ics_file": "Недопустимый файл .ics",
+ "calendar_name": "Название календаря",
+ "starting_data": "Начальные данные",
+ "zha_alarm_options_alarm_master_code": "Мастер-код для контрольных панелей",
+ "alarm_control_panel_options": "Настройки панелей управления сигнализацией",
+ "zha_options_consider_unavailable_battery": "Считать устройства с автономным питанием недоступными через (в секундах)",
+ "zha_options_consider_unavailable_mains": "Считать устройства с питанием от сети недоступными через (в секундах)",
+ "zha_options_default_light_transition": "Время плавного перехода света по умолчанию (в секундах)",
+ "zha_options_group_members_assume_state": "Члены группы принимают состояние группы",
+ "zha_options_light_transitioning_flag": "Включить улучшенный ползунок яркости при переходе света",
+ "global_options": "Глобальные настройки",
+ "force_nightlatch_operation_mode": "Принудительный режим работы ночного замка",
+ "retry_count": "Количество повторных попыток",
+ "data_process": "Процессы для добавления в качестве сенсора(ов)",
+ "invalid_url": "Неверный URL-адрес",
+ "data_browse_unfiltered": "Показывать несовместимые медиа",
+ "event_listener_callback_url": "Callback URL обработчика событий",
+ "data_listen_port": "Порт обработчика событий (случайный, если не установлен)",
+ "poll_for_device_availability": "Опрос доступности устройства",
+ "init_title": "Конфигурация цифрового медиа рендерера DLNA",
+ "broker_options": "Параметры Брокера",
+ "enable_birth_message": "Отправлять топик о подключении",
+ "birth_message_payload": "Значение топика о подключении",
+ "birth_message_qos": "QoS топика о подключении",
+ "birth_message_retain": "Сохранять топик о подключении",
+ "birth_message_topic": "Топик о подключении (LWT)",
+ "enable_discovery": "Разрешить автодобавление устройств",
+ "discovery_prefix": "Префикс автообнаружения",
+ "enable_will_message": "Отправлять топик об отключении",
+ "will_message_payload": "Значение топика об отключении",
+ "will_message_qos": "QoS топика об отключении",
+ "will_message_retain": "Сохранять топик об отключении",
+ "will_message_topic": "Топик об отключении (LWT)",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "Параметры MQTT",
+ "passive_scanning": "Пассивное сканирование",
+ "protocol": "Протокол",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Код языка",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "data_app_delete": "Отметьте, чтобы удалить это приложение",
+ "application_icon": "Application icon",
+ "application_id": "Идентификатор приложения",
+ "application_name": "Application name",
+ "configure_application_id_app_id": "Configure application ID {app_id}",
+ "configure_android_apps": "Configure Android apps",
+ "configure_applications_list": "Настроить список приложений",
"ignore_cec": "Игнорировать CEC",
"allowed_uuids": "Разрешенные UUID",
"advanced_google_cast_configuration": "Расширенная настройка Google Cast",
+ "allow_deconz_clip_sensors": "Отображать сенсоры deCONZ CLIP",
+ "allow_deconz_light_groups": "Отображать группы освещения deCONZ",
+ "data_allow_new_devices": "Разрешить автоматическое добавление новых устройств",
+ "deconz_devices_description": "Настройки видимости типов устройств deCONZ",
+ "deconz_options": "Настройка deCONZ",
+ "select_test_server": "Выберите сервер для тестирования",
+ "data_calendar_access": "Доступ Home Assistant к Google Календарю",
+ "bluetooth_scanner_mode": "Режим сканирования Bluetooth",
"device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
"not_supported": "Not Supported",
"localtuya_configuration": "LocalTuya Configuration",
@@ -2381,10 +2733,9 @@
"data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
"data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
"data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
"configure_tuya_device": "Configure Tuya device",
"configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Идентификатор устройства",
+ "device_id": "Device ID",
"local_key": "Local key",
"protocol_version": "Protocol Version",
"data_entities": "Entities (uncheck an entity to remove it)",
@@ -2453,93 +2804,13 @@
"enable_heuristic_action_optional": "Enable heuristic action (optional)",
"data_dps_default_value": "Default value when un-initialised (optional)",
"minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Доступ Home Assistant к Google Календарю",
- "data_process": "Процессы для добавления в качестве сенсора(ов)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Пассивное сканирование",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Параметры Брокера",
- "enable_birth_message": "Отправлять топик о подключении",
- "birth_message_payload": "Значение топика о подключении",
- "birth_message_qos": "QoS топика о подключении",
- "birth_message_retain": "Сохранять топик о подключении",
- "birth_message_topic": "Топик о подключении (LWT)",
- "enable_discovery": "Разрешить автодобавление устройств",
- "discovery_prefix": "Префикс автообнаружения",
- "enable_will_message": "Отправлять топик об отключении",
- "will_message_payload": "Значение топика об отключении",
- "will_message_qos": "QoS топика об отключении",
- "will_message_retain": "Сохранять топик об отключении",
- "will_message_topic": "Топик об отключении (LWT)",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "Параметры MQTT",
"data_allow_nameless_uuids": "Разрешенные в настоящее время UUID. Снимите флажок, чтобы удалить",
"data_new_uuid": "Введите новый разрешенный UUID",
- "allow_deconz_clip_sensors": "Отображать сенсоры deCONZ CLIP",
- "allow_deconz_light_groups": "Отображать группы освещения deCONZ",
- "data_allow_new_devices": "Разрешить автоматическое добавление новых устройств",
- "deconz_devices_description": "Настройки видимости типов устройств deCONZ",
- "deconz_options": "Настройка deCONZ",
- "data_app_delete": "Отметьте, чтобы удалить это приложение",
- "application_icon": "Application icon",
- "application_id": "Идентификатор приложения",
- "application_name": "Application name",
- "configure_application_id_app_id": "Configure application ID {app_id}",
- "configure_android_apps": "Configure Android apps",
- "configure_applications_list": "Настроить список приложений",
- "invalid_url": "Неверный URL-адрес",
- "data_browse_unfiltered": "Показывать несовместимые медиа",
- "event_listener_callback_url": "Callback URL обработчика событий",
- "data_listen_port": "Порт обработчика событий (случайный, если не установлен)",
- "poll_for_device_availability": "Опрос доступности устройства",
- "init_title": "Конфигурация цифрового медиа рендерера DLNA",
- "protocol": "Протокол",
- "language_code": "Код языка",
- "bluetooth_scanner_mode": "Режим сканирования Bluetooth",
- "force_nightlatch_operation_mode": "Принудительный режим работы ночного замка",
- "retry_count": "Количество повторных попыток",
- "select_test_server": "Выберите сервер для тестирования",
- "toggle_entity_name": "Переключить \"{entity_name}\"",
- "turn_off_entity_name": "Выключить \"{entity_name}\"",
- "turn_on_entity_name": "Включить \"{entity_name}\"",
- "entity_name_is_off": "\"{entity_name}\" в выключенном состоянии",
- "entity_name_is_on": "\"{entity_name}\" во включенном состоянии",
- "trigger_type_changed_states": "\"{entity_name}\" включается или выключается",
- "entity_name_turned_off": "\"{entity_name}\" выключается",
- "entity_name_turned_on": "\"{entity_name}\" включается",
+ "reconfigure_zha": "Перенастройка ZHA",
+ "unplug_your_old_radio": "Отключение старого радиомодуля",
+ "intent_migrate_title": "Перейти на другой радиомодуль",
+ "re_configure_the_current_radio": "Перенастроить используемый радиомодуль",
+ "migrate_or_re_configure": "Переход или перенастройка",
"condition_type_is_aqi": "\"{entity_name}\" имеет текущее значение",
"current_entity_name_area": "Текущее пространство {entity_name}",
"condition_type_is_blood_glucose_concentration": "\"{entity_name}\" имеет текущее значение концентрации глюкозы в крови",
@@ -2548,7 +2819,6 @@
"current_entity_name_conductivity": "\"{entity_name}\" имеет текущее значение проводимости",
"current_entity_name_current": "\"{entity_name}\" имеет текущее значение силы тока",
"current_entity_name_energy": "\"{entity_name}\" имеет текущее значение мощности",
- "current_entity_name_balance": "Current {entity_name} balance",
"condition_type_is_nitrogen_dioxide": "\"{entity_name}\" имеет текущее значение уровня концентрации диоксида азота",
"condition_type_is_nitrogen_monoxide": "\"{entity_name}\" имеет текущее значение уровня концентрации монооксида азота",
"condition_type_is_nitrous_oxide": "\"{entity_name}\" имеет текущее значение уровня концентрации закиси азота",
@@ -2570,7 +2840,6 @@
"entity_name_energy_changes": "\"{entity_name}\" изменяет значение мощности",
"entity_name_gas_changes": "{entity_name} изменяет содержание газа",
"entity_name_moisture_changes": "\"{entity_name}\" изменяет содержание влаги",
- "entity_name_balance_changes": "{entity_name} balance changes",
"trigger_type_nitrogen_dioxide": "\"{entity_name}\" изменяет значение концентрации диоксида азота",
"trigger_type_nitrogen_monoxide": "\"{entity_name}\" изменяет значение концентрации монооксида азота",
"trigger_type_nitrous_oxide": "\"{entity_name}\" изменяет значение концентрации закиси азота",
@@ -2586,6 +2855,59 @@
"entity_name_volume_changes": "\"{entity_name}\" изменяет объём",
"trigger_type_volume_flow_rate": "\"{entity_name}\" изменяет объёмный расход",
"entity_name_weight_changes": "\"{entity_name}\" изменяет вес",
+ "decrease_entity_name_brightness": "Уменьшить яркость объекта \"{entity_name}\"",
+ "increase_entity_name_brightness": "Увеличить яркость объекта \"{entity_name}\"",
+ "flash_entity_name": "Включить мигание объекта \"{entity_name}\"",
+ "toggle_entity_name": "Переключить \"{entity_name}\"",
+ "turn_off_entity_name": "Выключить \"{entity_name}\"",
+ "turn_on_entity_name": "Включить \"{entity_name}\"",
+ "entity_name_is_off": "\"{entity_name}\" в выключенном состоянии",
+ "entity_name_is_on": "\"{entity_name}\" во включенном состоянии",
+ "flash": "Мигание",
+ "trigger_type_changed_states": "\"{entity_name}\" включается или выключается",
+ "entity_name_turned_off": "\"{entity_name}\" выключается",
+ "entity_name_turned_on": "\"{entity_name}\" включается",
+ "set_value_for_entity_name": "Установить значение числового объекта \"{entity_name}\"",
+ "value": "Value",
+ "entity_name_update_availability_changed": "Изменяется доступность обновления \"{entity_name}\"",
+ "entity_name_became_up_to_date": "\"{entity_name}\" обновляется",
+ "trigger_type_update": "Становится доступным обновление \"{entity_name}\"",
+ "first_button": "Первая кнопка",
+ "second_button": "Вторая кнопка",
+ "third_button": "Третья кнопка",
+ "fourth_button": "Четвертая кнопка",
+ "fifth_button": "Пятая кнопка",
+ "sixth_button": "Шестая кнопка",
+ "subtype_double_clicked": "\"{subtype}\" нажата два раза",
+ "subtype_continuously_pressed": "\"{subtype}\" удерживается нажатой",
+ "trigger_type_button_long_release": "{subtype} отпущена после долгого нажатия",
+ "subtype_quadruple_clicked": "\"{subtype}\" нажата четыре раза",
+ "subtype_quintuple_clicked": "\"{subtype}\" нажата пять раз",
+ "subtype_pressed": "\"{subtype}\" нажата",
+ "subtype_released": "\"{subtype}\" отпущена после короткого нажатия",
+ "subtype_triple_clicked": "\"{subtype}\" нажата три раза",
+ "entity_name_is_home": "{entity_name} дома",
+ "entity_name_is_not_home": "{entity_name} не дома",
+ "entity_name_enters_a_zone": "{entity_name} входит в зону",
+ "entity_name_leaves_a_zone": "{entity_name} покидает зону",
+ "press_entity_name_button": "Нажать кнопку \"{entity_name}\"",
+ "entity_name_has_been_pressed": "Нажата кнопка \"{entity_name}\"",
+ "let_entity_name_clean": "Отправить \"{entity_name}\" делать уборку",
+ "action_type_dock": "Вернуть к док-станции \"{entity_name}\"",
+ "entity_name_is_cleaning": "\"{entity_name}\" делает уборку",
+ "entity_name_is_docked": "\"{entity_name}\" у док-станции",
+ "entity_name_started_cleaning": "\"{entity_name}\" начинает уборку",
+ "entity_name_docked": "\"{entity_name}\" стыкуется с док-станцией",
+ "send_a_notification": "Отправить уведомление",
+ "lock_entity_name": "{entity_name}: заблокировать",
+ "open_entity_name": "{entity_name}: открыть",
+ "unlock_entity_name": "{entity_name}: разблокировать",
+ "entity_name_is_locked": "\"{entity_name}\" в заблокированном состоянии",
+ "entity_name_is_open": "\"{entity_name}\" в открытом состоянии",
+ "entity_name_is_unlocked": "\"{entity_name}\" в разблокированном состоянии",
+ "entity_name_locked": "\"{entity_name}\" блокируется",
+ "entity_name_opened": "\"{entity_name}\" открывается",
+ "entity_name_unlocked": "\"{entity_name}\" разблокируется",
"action_type_set_hvac_mode": "Сменить режим работы \"{entity_name}\"",
"change_preset_on_entity_name": "Сменить предустановку \"{entity_name}\"",
"hvac_mode": "Режим работы ОВиК",
@@ -2593,8 +2915,18 @@
"entity_name_measured_humidity_changed": "\"{entity_name}\" изменяет значение измеренной влажности",
"entity_name_measured_temperature_changed": "\"{entity_name}\" изменяет значение измеренной температуры",
"entity_name_hvac_mode_changed": "\"{entity_name}\" изменяет режим работы",
- "set_value_for_entity_name": "Установить значение текстового объекта \"{entity_name}\"",
- "value": "Значение",
+ "close_entity_name": "{entity_name}: закрыть",
+ "close_entity_name_tilt": "{entity_name}: закрыть ламели",
+ "open_entity_name_tilt": "{entity_name}: открыть ламели",
+ "set_entity_name_position": "{entity_name}: установить положение",
+ "set_entity_name_tilt_position": "{entity_name}: установить наклон ламелей",
+ "stop_entity_name": "Остановить \"{entity_name}\"",
+ "entity_name_is_closed": "\"{entity_name}\" в закрытом состоянии",
+ "entity_name_closed": "\"{entity_name}\" закрывается",
+ "current_entity_name_position_is": "\"{entity_name}\" открыто на определённую позицию",
+ "condition_type_is_tilt_position": "Устройство \"{entity_name}\" имеет наклон ламелей",
+ "entity_name_position_changes": "\"{entity_name}\" изменяет положение",
+ "entity_name_tilt_position_changes": "\"{entity_name}\" изменяет наклон ламелей",
"entity_name_battery_is_low": "\"{entity_name}\" в разряженном состоянии",
"entity_name_is_charging": "\"{entity_name}\" заряжается",
"condition_type_is_co": "\"{entity_name}\" обнаруживает монооксид углерода",
@@ -2603,7 +2935,6 @@
"entity_name_is_detecting_gas": "\"{entity_name}\" обнаруживает газ",
"entity_name_is_hot": "\"{entity_name}\" обнаруживает нагрев",
"entity_name_is_detecting_light": "\"{entity_name}\" обнаруживает свет",
- "entity_name_is_locked": "\"{entity_name}\" в заблокированном состоянии",
"entity_name_is_moist": "\"{entity_name}\" в состоянии \"Влажно\"",
"entity_name_is_detecting_motion": "\"{entity_name}\" обнаруживает движение",
"entity_name_is_moving": "\"{entity_name}\" перемещается",
@@ -2621,17 +2952,14 @@
"entity_name_is_not_cold": "\"{entity_name}\" не обнаруживает охлаждение",
"entity_name_is_unplugged": "\"{entity_name}\" не обнаруживает подключение",
"entity_name_is_not_hot": "\"{entity_name}\" не обнаруживает нагрев",
- "entity_name_is_unlocked": "\"{entity_name}\" в разблокированном состоянии",
"entity_name_is_dry": "\"{entity_name}\" в состоянии \"Сухо\"",
"entity_name_is_not_moving": "\"{entity_name}\" не перемещается",
"entity_name_is_not_present": "\"{entity_name}\" не обнаруживает присутствие",
- "entity_name_is_closed": "\"{entity_name}\" в закрытом состоянии",
"entity_name_is_not_powered": "\"{entity_name}\" не обнаруживает питание",
"entity_name_is_not_running": "\"{entity_name}\" не работает",
"condition_type_is_not_tampered": "\"{entity_name}\" не обнаруживает вмешательство",
"entity_name_is_safe": "\"{entity_name}\" в безопасном состоянии",
"entity_name_is_present": "\"{entity_name}\" обнаруживает присутствие",
- "entity_name_is_open": "\"{entity_name}\" в открытом состоянии",
"entity_name_is_powered": "\"{entity_name}\" обнаруживает питание",
"entity_name_is_detecting_problem": "\"{entity_name}\" обнаруживает проблему",
"entity_name_is_running": "\"{entity_name}\" работает",
@@ -2649,7 +2977,6 @@
"entity_name_started_detecting_gas": "\"{entity_name}\" начинает обнаруживать газ",
"entity_name_became_hot": "\"{entity_name}\" нагревается",
"entity_name_started_detecting_light": "\"{entity_name}\" начинает обнаруживать свет",
- "entity_name_locked": "\"{entity_name}\" блокируется",
"entity_name_became_moist": "\"{entity_name}\" начинает обнаруживать влагу",
"entity_name_started_detecting_motion": "\"{entity_name}\" начинает обнаруживать движение",
"entity_name_started_moving": "\"{entity_name}\" начинает перемещение",
@@ -2660,18 +2987,15 @@
"entity_name_stopped_detecting_problem": "\"{entity_name}\" прекращает обнаруживать проблему",
"entity_name_stopped_detecting_smoke": "\"{entity_name}\" прекращает обнаруживать дым",
"entity_name_stopped_detecting_sound": "\"{entity_name}\" прекращает обнаруживать звук",
- "entity_name_became_up_to_date": "\"{entity_name}\" обновляется",
"entity_name_stopped_detecting_vibration": "\"{entity_name}\" прекращает обнаруживать вибрацию",
"entity_name_battery_normal": "\"{entity_name}\" регистрирует нормальный заряд",
"entity_name_not_charging": "\"{entity_name}\" прекращает заряжаться",
"entity_name_became_not_cold": "\"{entity_name}\" прекращает охлаждаться",
"entity_name_disconnected": "\"{entity_name}\" отключается",
"entity_name_became_not_hot": "\"{entity_name}\" прекращает нагреваться",
- "entity_name_unlocked": "\"{entity_name}\" разблокируется",
"entity_name_became_dry": "\"{entity_name}\" прекращает обнаруживать влагу",
"entity_name_stopped_moving": "\"{entity_name}\" прекращает перемещение",
"entity_name_became_not_occupied": "\"{entity_name}\" прекращает обнаруживать присутствие",
- "entity_name_closed": "\"{entity_name}\" закрыто",
"entity_name_unplugged": "\"{entity_name}\" регистрирует отключение",
"entity_name_not_powered": "\"{entity_name}\" не регистрирует наличие питания",
"entity_name_not_present": "\"{entity_name}\" регистрирует отсутствие",
@@ -2679,7 +3003,6 @@
"entity_name_stopped_detecting_tampering": "\"{entity_name}\" прекращает обнаруживать вмешательство",
"entity_name_became_safe": "\"{entity_name}\" регистрирует безопасность",
"entity_name_became_occupied": "\"{entity_name}\" начинает обнаруживать присутствие",
- "entity_name_opened": "\"{entity_name}\" открыто",
"entity_name_plugged_in": "\"{entity_name}\" регистрирует подключение",
"entity_name_powered": "\"{entity_name}\" регистрирует наличие питания",
"entity_name_present": "\"{entity_name}\" регистрирует присутствие",
@@ -2689,7 +3012,6 @@
"entity_name_started_detecting_sound": "\"{entity_name}\" начинает обнаруживать звук",
"entity_name_started_detecting_tampering": "\"{entity_name}\" начинает обнаруживать вмешательство",
"entity_name_became_unsafe": "\"{entity_name}\" не регистрирует безопасность",
- "trigger_type_update": "Становится доступным обновление \"{entity_name}\"",
"entity_name_started_detecting_vibration": "\"{entity_name}\" начинает обнаруживать вибрацию",
"entity_name_is_buffering": "\"{entity_name}\" выполняет буферизацию",
"entity_name_is_idle": "\"{entity_name}\" в режиме ожидания",
@@ -2698,29 +3020,6 @@
"entity_name_starts_buffering": "\"{entity_name}\" начинает буферизацию",
"entity_name_becomes_idle": "\"{entity_name}\" переходит в режим ожидания",
"entity_name_starts_playing": "\"{entity_name}\" начинает воспроизведение",
- "entity_name_is_home": "{entity_name} дома",
- "entity_name_is_not_home": "{entity_name} не дома",
- "entity_name_enters_a_zone": "{entity_name} входит в зону",
- "entity_name_leaves_a_zone": "{entity_name} покидает зону",
- "decrease_entity_name_brightness": "Уменьшить яркость объекта \"{entity_name}\"",
- "increase_entity_name_brightness": "Увеличить яркость объекта \"{entity_name}\"",
- "flash_entity_name": "Включить мигание объекта \"{entity_name}\"",
- "flash": "Мигание",
- "entity_name_update_availability_changed": "Изменяется доступность обновления \"{entity_name}\"",
- "arm_entity_name_away": "Включить режим охраны \"Не дома\" на панели \"{entity_name}\"",
- "arm_entity_name_home": "Включить режим охраны \"Дома\" на панели \"{entity_name}\"",
- "arm_entity_name_night": "Включить режим охраны \"Ночь\" на панели \"{entity_name}\"",
- "arm_entity_name_vacation": "Включить режим охраны \"Отпуск\" на панели \"{entity_name}\"",
- "disarm_entity_name": "Отключить охрану на панели \"{entity_name}\"",
- "trigger_entity_name": "{entity_name} срабатывает",
- "entity_name_armed_away": "Включен режим охраны \"Не дома\" на панели \"{entity_name}\"",
- "entity_name_armed_home": "Включен режим охраны \"Дома\" на панели \"{entity_name}\"",
- "entity_name_armed_night": "Включен режим охраны \"Ночь\" на панели \"{entity_name}\"",
- "entity_name_armed_vacation": "Включен режим охраны \"Отпуск\" на панели \"{entity_name}\"",
- "entity_name_disarmed": "Отключена охрана на панели \"{entity_name}\"",
- "entity_name_triggered": "\"{entity_name}\" срабатывает",
- "press_entity_name_button": "Нажать кнопку \"{entity_name}\"",
- "entity_name_has_been_pressed": "Нажата кнопка \"{entity_name}\"",
"action_type_select_first": "Выбрать первый вариант из списка \"{entity_name}\"",
"action_type_select_last": "Выбрать последний вариант из списка \"{entity_name}\"",
"action_type_select_next": "Выбрать следующий вариант из списка \"{entity_name}\"",
@@ -2729,41 +3028,14 @@
"current_entity_name_selected_option": "Выбран вариант из списка \"{entity_name}\"",
"from": "Изменение с",
"entity_name_option_changed": "Изменяется выбранный вариант из списка \"{entity_name}\"",
- "close_entity_name": "{entity_name}: закрыть",
- "close_entity_name_tilt": "{entity_name}: закрыть ламели",
- "open_entity_name": "{entity_name}: открыть",
- "open_entity_name_tilt": "{entity_name}: открыть ламели",
- "set_entity_name_position": "{entity_name}: установить положение",
- "set_entity_name_tilt_position": "{entity_name}: установить наклон ламелей",
- "stop_entity_name": "Остановить \"{entity_name}\"",
- "entity_name_closing": "\"{entity_name}\" закрывается",
- "entity_name_opening": "\"{entity_name}\" открывается",
- "current_entity_name_position_is": "\"{entity_name}\" открыто на определённую позицию",
- "condition_type_is_tilt_position": "Устройство \"{entity_name}\" имеет наклон ламелей",
- "entity_name_position_changes": "\"{entity_name}\" изменяет положение",
- "entity_name_tilt_position_changes": "\"{entity_name}\" изменяет наклон ламелей",
- "first_button": "Первая кнопка",
- "second_button": "Вторая кнопка",
- "third_button": "Третья кнопка",
- "fourth_button": "Четвертая кнопка",
- "fifth_button": "Пятая кнопка",
- "sixth_button": "Шестая кнопка",
- "subtype_double_push": "{subtype} нажата два раза",
- "subtype_continuously_pressed": "\"{subtype}\" удерживается нажатой",
- "trigger_type_button_long_release": "{subtype} отпущена после долгого нажатия",
- "subtype_quadruple_clicked": "\"{subtype}\" нажата четыре раза",
- "subtype_quintuple_clicked": "\"{subtype}\" нажата пять раз",
- "subtype_pressed": "\"{subtype}\" нажата",
- "subtype_released": "\"{subtype}\" отпущена после короткого нажатия",
- "subtype_triple_push": "{subtype} нажата три раза",
"both_buttons": "Обе кнопки",
"bottom_buttons": "Нижние кнопки",
"seventh_button": "Седьмая кнопка",
"eighth_button": "Восьмая кнопка",
"dim_down": "Уменьшить яркость",
"dim_up": "Увеличить яркость",
- "left": "Налево",
- "right": "Направо",
+ "left": "налево",
+ "right": "направо",
"side": "Грань 6",
"top_buttons": "Верхние кнопки",
"device_awakened": "Устройство разбудили",
@@ -2781,39 +3053,56 @@
"trigger_type_remote_rotate_from_side": "Устройство перевернули с Грани 6 на {subtype}",
"device_turned_clockwise": "Устройство повернули по часовой стрелке",
"device_turned_counter_clockwise": "Устройство повернули против часовой стрелки",
- "send_a_notification": "Отправить уведомление",
- "let_entity_name_clean": "Отправить \"{entity_name}\" делать уборку",
- "action_type_dock": "Вернуть к док-станции \"{entity_name}\"",
- "entity_name_is_cleaning": "\"{entity_name}\" делает уборку",
- "entity_name_is_docked": "\"{entity_name}\" у док-станции",
- "entity_name_started_cleaning": "\"{entity_name}\" начинает уборку",
- "entity_name_docked": "\"{entity_name}\" стыкуется с док-станцией",
"subtype_button_down": "{subtype} в положении 'вниз'",
"subtype_button_up": "{subtype} в положении 'вверх'",
+ "subtype_double_push": "{subtype} нажата два раза",
"subtype_long_push": "{subtype} долго нажата",
"trigger_type_long_single": "{subtype} долго нажата и затем нажата один раз",
"subtype_single_push": "{subtype} нажата один раз",
"trigger_type_single_long": "{subtype} нажата один раз и затем долго нажата",
- "lock_entity_name": "{entity_name}: заблокировать",
- "unlock_entity_name": "{entity_name}: разблокировать",
+ "subtype_triple_push": "{subtype} нажата три раза",
+ "arm_entity_name_away": "Включить режим охраны \"Не дома\" на панели \"{entity_name}\"",
+ "arm_entity_name_home": "Включить режим охраны \"Дома\" на панели \"{entity_name}\"",
+ "arm_entity_name_night": "Включить режим охраны \"Ночь\" на панели \"{entity_name}\"",
+ "arm_entity_name_vacation": "Включить режим охраны \"Отпуск\" на панели \"{entity_name}\"",
+ "disarm_entity_name": "Отключить охрану на панели \"{entity_name}\"",
+ "trigger_entity_name": "{entity_name} срабатывает",
+ "entity_name_armed_away": "Включен режим охраны \"Не дома\" на панели \"{entity_name}\"",
+ "entity_name_armed_home": "Включен режим охраны \"Дома\" на панели \"{entity_name}\"",
+ "entity_name_armed_night": "Включен режим охраны \"Ночь\" на панели \"{entity_name}\"",
+ "entity_name_armed_vacation": "Включен режим охраны \"Отпуск\" на панели \"{entity_name}\"",
+ "entity_name_disarmed": "Отключена охрана на панели \"{entity_name}\"",
+ "entity_name_triggered": "\"{entity_name}\" срабатывает",
+ "action_type_issue_all_led_effect": "Эффект выдачи для всех светодиодов",
+ "action_type_issue_individual_led_effect": "Эффект выдачи для отдельного светодиода",
+ "squawk": "Транспондер",
+ "warn": "Включить оповещение",
+ "color_hue": "Оттенок цвета",
+ "duration_in_seconds": "Продолжительность в секундах",
+ "effect_type": "Тип эффекта",
+ "led_number": "LED number",
+ "with_face_activated": "На шестой грани",
+ "with_any_specified_face_s_activated": "на любой грани",
+ "device_dropped": "Устройство сбросили",
+ "device_flipped_subtype": "Устройство перевернули {subtype}",
+ "device_knocked_subtype": "Устройством постучали {subtype}",
+ "device_offline": "Устройство не в сети",
+ "device_rotated_subtype": "Устройство повернули {subtype}",
+ "device_slid_subtype": "Устройство сдвинули {subtype}",
+ "device_tilted": "Устройство наклонили",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" нажата два раза (альтернативный режим)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" удерживается нажатой (альтернативный режим)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" отпущена после долгого нажатия (альтернативный режим)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" нажата четыре раза (альтернативный режим)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" нажата пять раз (альтернативный режим)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" нажата (альтернативный режим)",
+ "subtype_released_alternate_mode": "\"{subtype}\" отпущена (альтернативный режим)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" нажата три раза (альтернативный режим)",
"add_to_queue": "Добавить в очередь",
"play_next": "Воспроизвести следующий",
"options_replace": "Воспроизвести сейчас и очистить очередь",
"repeat_all": "Повторять все",
"repeat_one": "Повторять один",
- "no_code_format": "Формат без кода",
- "no_unit_of_measurement": "Нет единицы измерения",
- "critical": "Критическая ошибка",
- "debug": "Отладка",
- "create_an_empty_calendar": "Создать пустой календарь",
- "options_import_ics_file": "Загрузить файл iCalendar (.ics)",
- "passive": "Пассивный",
- "arithmetic_mean": "Среднее арифметическое",
- "median": "Медиана",
- "product": "Произведение",
- "statistical_range": "Статистический диапазон",
- "standard_deviation": "Стандартное отклонение",
- "fatal": "Фатальная ошибка",
"alice_blue": "Синий Элис",
"antique_white": "Античный белый",
"aqua": "Морская волна",
@@ -2932,51 +3221,19 @@
"tomato": "Томатный",
"wheat": "Пшеничный",
"white_smoke": "Дымчато-белый",
- "sets_the_value": "Устанавливает значение.",
- "the_target_value": "Целевое значение.",
- "command": "Команда",
- "device_description": "Идентификатор устройства для отправки команды.",
- "delete_command": "Удалить команду",
- "alternative": "Альтернатива",
- "command_type_description": "Тип команды, которую необходимо изучить.",
- "command_type": "Тип команды",
- "timeout_description": "Тайм-аут для изучения команды.",
- "learn_command": "Изучить команду",
- "delay_seconds": "Задержка",
- "hold_seconds": "Время удержания",
- "repeats": "Повторы",
- "send_command": "Отправить команду",
- "sends_the_toggle_command": "Отправляет команду переключения.",
- "turn_off_description": "Выключает один или несколько источников света.",
- "turn_on_description": "Запускает новую уборку.",
- "set_datetime_description": "Устанавливает дату и/или время.",
- "the_target_date": "Целевая дата.",
- "datetime_description": "Целевая дата и время.",
- "the_target_time": "Целевое время.",
- "creates_a_new_backup": "Создаёт новую резервную копию.",
- "apply_description": "Активирует сцену с заданной конфигурацией.",
- "entities_description": "Список объектов и их целевое состояние.",
- "entities_state": "Состояние объектов",
- "transition": "Переход",
- "apply": "Применить",
- "creates_a_new_scene": "Создает новую сцену.",
- "scene_id_description": "Идентификатор объекта новой сцены.",
- "scene_entity_id": "Идентификатор объекта сцены",
- "snapshot_entities": "Снимок состояния объектов",
- "delete_description": "Удаляет динамически созданную сцену.",
- "activates_a_scene": "Активирует сцену.",
- "closes_a_valve": "Закрывает клапан.",
- "opens_a_valve": "Открывает клапан.",
- "set_valve_position_description": "Перемещает клапан в определенную позицию.",
- "target_position": "Целевая позиция.",
- "set_position": "Установить позицию",
- "stops_the_valve_movement": "Останавливает движение клапана.",
- "toggles_a_valve_open_closed": "Переключает клапан в открытое/закрытое положение.",
- "dashboard_path": "Путь к панели",
- "view_path": "Путь вкладки",
- "show_dashboard_view": "Показать вкладку панели",
- "finish_description": "Завершает работающий таймер раньше запланированного.",
- "duration_description": "Пользовательская продолжительность для перезапуска таймера.",
+ "critical": "Критическая ошибка",
+ "debug": "Отладка",
+ "passive": "Пассивный",
+ "no_code_format": "Формат без кода",
+ "no_unit_of_measurement": "Нет единицы измерения",
+ "fatal": "Фатальная ошибка",
+ "arithmetic_mean": "Среднее арифметическое",
+ "median": "Медиана",
+ "product": "Произведение",
+ "statistical_range": "Статистический диапазон",
+ "standard_deviation": "Стандартное отклонение",
+ "create_an_empty_calendar": "Создать пустой календарь",
+ "options_import_ics_file": "Загрузить файл iCalendar (.ics)",
"sets_a_random_effect": "Устанавливает случайный эффект.",
"sequence_description": "Список последовательностей HSV (максимум 16).",
"backgrounds": "Фоны",
@@ -2993,105 +3250,22 @@
"saturation_range": "Диапазон насыщенности",
"segments_description": "Список сегментов (0 для всех).",
"segments": "Сегменты",
+ "transition": "Переход",
"range_of_transition": "Диапазон перехода.",
"transition_range": "Диапазон перехода",
"random_effect": "Случайный эффект",
"sets_a_sequence_effect": "Устанавливает эффект последовательности.",
"repetitions_for_continuous": "Повторы (0 для непрерывного).",
+ "repeats": "Повторы",
"sequence": "Последовательность",
"speed_of_spread": "Скорость распространения.",
"spread": "Распространение",
"sequence_effect": "Эффект последовательности",
- "check_configuration": "Проверить конфигурацию",
- "reload_all": "Перезагрузить все",
- "reload_config_entry_description": "Перезагружает указанную запись конфигурации.",
- "config_entry_id": "Идентификатор записи конфигурации",
- "reload_config_entry": "Перезагрузить запись конфигурации",
- "reload_core_config_description": "Перезагружает YAML-конфигурацию ядра.",
- "reload_core_configuration": "Перезагрузить конфигурацию ядра",
- "reload_custom_jinja_templates": "Перезагрузить пользовательские шаблоны Jinja2",
- "restarts_home_assistant": "Перезапускает Home Assistant.",
- "safe_mode_description": "Отключить пользовательские интеграции и пользовательские карточки.",
- "save_persistent_states": "Сохранить постоянные состояния",
- "set_location_description": "Обновляет местоположение Home Assistant.",
- "elevation_description": "Высота вашего местоположения над уровнем моря.",
- "latitude_of_your_location": "Широта Вашего местоположения.",
- "longitude_of_your_location": "Долгота Вашего местоположения.",
- "set_location": "Установить местоположение",
- "stops_home_assistant": "Останавливает работу Home Assistant.",
- "entity_id_description": "Объект, на который следует ссылаться в записи журнала.",
- "entities_to_update": "Объекты для обновления",
- "update_entity": "Обновить объект",
- "turns_auxiliary_heater_on_off": "Включает или выключает дополнительный обогреватель.",
- "aux_heat_description": "Новое значение вспомогательного обогревателя.",
- "turn_on_off_auxiliary_heater": "Включить или выключить дополнительный обогреватель",
- "sets_fan_operation_mode": "Устанавливает режим работы вентиляции.",
- "fan_operation_mode": "Режим работы вентиляции.",
- "set_fan_mode": "Установить режим работы вентиляции",
- "sets_target_humidity": "Устанавливает целевую влажность.",
- "set_target_humidity": "Установить целевую влажность",
- "sets_hvac_operation_mode": "Устанавливает режим работы системы отопления, вентиляции и кондиционирования воздуха.",
- "hvac_operation_mode": "Режим работы системы отопления, вентиляции и кондиционирования воздуха.",
- "set_hvac_mode": "Установить режим работы ОВиК",
- "sets_preset_mode": "Активирует предустановку.",
- "set_preset_mode": "Активировать предустановку",
- "set_swing_horizontal_mode_description": "Устанавливает режим горизонтального качания.",
- "horizontal_swing_operation_mode": "Режим работы горизонтального качания.",
- "set_horizontal_swing_mode": "Установить режим горизонтального качания",
- "sets_swing_operation_mode": "Устанавливает режим качания воздушных шторок.",
- "swing_operation_mode": "Режим качания воздушных шторок.",
- "set_swing_mode": "Установить режим качания",
- "sets_the_temperature_setpoint": "Устанавливает целевую температуру.",
- "the_max_temperature_setpoint": "Максимальная целевая температура.",
- "the_min_temperature_setpoint": "Минимальная целевая температура.",
- "the_temperature_setpoint": "Заданное значение температуры.",
- "set_target_temperature": "Установить целевую температуру",
- "turns_climate_device_off": "Выключает климатическое устройство.",
- "turns_climate_device_on": "Включает климатическое устройство.",
- "decrement_description": "Уменьшает текущее значение на 1 шаг.",
- "increment_description": "Увеличивает текущее значение на 1 шаг.",
- "reset_description": "Сбрасывает счетчик на начальное значение.",
- "set_value_description": "Устанавливает значение числа.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Значение параметра конфигурации.",
- "clear_playlist_description": "Удаляет все элементы из плейлиста.",
- "clear_playlist": "Очистить плейлист",
- "selects_the_next_track": "Выбирает следующий трек.",
- "pauses": "Приостанавливает воспроизведение.",
- "starts_playing": "Начинает воспроизведение.",
- "toggles_play_pause": "Переключает воспроизведение/паузу.",
- "selects_the_previous_track": "Выбирает предыдущий трек.",
- "seek": "Искать",
- "stops_playing": "Останавливает воспроизведение.",
- "starts_playing_specified_media": "Начинает воспроизведение указанного медиа.",
- "announce": "Объявить",
- "enqueue": "Поставить в очередь",
- "repeat_mode_to_set": "Установить режим повтора.",
- "select_sound_mode_description": "Выбирает определенный режим звучания.",
- "select_sound_mode": "Выбрать режим звучания",
- "select_source": "Выбрать источник",
- "shuffle_description": "Включать ли режим случайного воспроизведения.",
- "toggle_description": "Включает или выключает пылесос.",
- "unjoin": "Отсоединить",
- "turns_down_the_volume": "Уменьшает громкость.",
- "volume_mute_description": "Отключает или включает звук медиаплеера.",
- "is_volume_muted_description": "Определяет, отключен звук или нет.",
- "mute_unmute_volume": "Отключить или включить звук",
- "sets_the_volume_level": "Устанавливает уровень громкости.",
- "level": "Уровень",
- "set_volume": "Установить громкость",
- "turns_up_the_volume": "Увеличивает громкость.",
- "battery_description": "Уровень заряда аккумулятора устройства.",
- "gps_coordinates": "Координаты GPS",
- "gps_accuracy_description": "Точность определения GPS-координат.",
- "hostname_of_the_device": "Имя хоста устройства.",
- "hostname": "Имя хоста",
- "mac_description": "MAC-адрес устройства.",
- "see": "Отследить",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Включает или выключает сирену.",
+ "turns_the_siren_off": "Выключает сирену.",
+ "turns_the_siren_on": "Включает сирену.",
"brightness_value": "Значение яркости",
"a_human_readable_color_name": "Удобочитаемое название цвета.",
"color_name": "Название цвета",
@@ -3104,32 +3278,76 @@
"rgbww_color": "RGBWW-цвет",
"white_description": "Установить режим белого света.",
"xy_color": "XY-цвет",
+ "turn_off_description": "Отправляет команду выключения.",
"brightness_step_description": "Изменение яркости на определенную величину.",
"brightness_step_value": "Значение шага яркости",
"brightness_step_pct_description": "Изменение яркости на определенный процент.",
"brightness_step": "Шаг яркости",
- "add_event_description": "Добавляет новое событие календаря.",
- "calendar_id_description": "ID календаря, который вы хотите.",
- "calendar_id": "ID календаря",
- "description_description": "Описание события. Необязательно.",
- "summary_description": "Выступает в роли названия события.",
- "location_description": "Место проведения события.",
- "create_event": "Создать событие",
- "apply_filter": "Применить фильтр",
- "days_to_keep": "Количество дней для сохранения",
- "repack": "Перепаковать",
- "domains_to_remove": "Домены для удаления",
- "entity_globs_to_remove": "Глобальные параметры объектов для удаления",
- "entities_to_remove": "Объекты для удаления",
- "purge_entities": "Очистить объекты",
+ "toggles_the_helper_on_off": "Включает или выключает вспомогательный объект.",
+ "turns_off_the_helper": "Выключает вспомогательный объект.",
+ "turns_on_the_helper": "Включает вспомогательный объект.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Создаёт новую резервную копию.",
+ "sets_the_value": "Устанавливает значение.",
+ "enter_your_text": "Введите текст.",
+ "clear_lock_user_code_description": "Удаляет код пользователя на замке.",
+ "code_slot_description": "Слот для установки кода.",
+ "code_slot": "Слот кода",
+ "clear_lock_user": "Удалить пользователя замка",
+ "disable_lock_user_code_description": "Деактивирует код пользователя на замке.",
+ "code_slot_to_disable": "Слот, в котором нужно деактивировать код.",
+ "disable_lock_user": "Деактивировать код пользователя замка",
+ "enable_lock_user_code_description": "Активирует код пользователя на замке.",
+ "code_slot_to_enable": "Слот, в котором нужно активировать код.",
+ "enable_lock_user": "Активировать код пользователя замка",
+ "args_description": "Аргументы, передаваемые команде.",
+ "args": "Аргументы",
+ "cluster_id_description": "Кластер ZCL, для которого нужно получить атрибуты.",
+ "cluster_id": "Идентификатор кластера",
+ "type_of_the_cluster": "Тип кластера.",
+ "cluster_type": "Тип кластера",
+ "command_description": "Команды для отправки в Google Assistant.",
+ "command": "Команда",
+ "command_type_description": "Тип команды, которую необходимо изучить.",
+ "command_type": "Тип команды",
+ "endpoint_id_description": "Идентификатор конечной точки для кластера.",
+ "endpoint_id": "Идентификатор конечной точки",
+ "ieee_description": "IEEE-адрес устройства.",
+ "ieee": "IEEE",
+ "params_description": "Параметры, передаваемые команде.",
+ "params": "Параметры",
+ "issue_zigbee_cluster_command": "Выполнить команду кластера Zigbee",
+ "group_description": "Шестнадцатеричный адрес группы.",
+ "issue_zigbee_group_command": "Выполнить команду группы Zigbee",
+ "permit_description": "Позволяет узлам присоединяться к сети Zigbee.",
+ "time_to_permit_joins": "Время разрешения соединений.",
+ "install_code": "Код установки",
+ "qr_code": "QR код",
+ "source_ieee": "Источник IEEE",
+ "permit": "Разрешить",
+ "reconfigure_device": "Перенастроить устройство",
+ "remove_description": "Удаляет узел из сети Zigbee.",
+ "set_lock_user_code_description": "Устанавливает код пользователя на замке.",
+ "code_to_set": "Код для установки.",
+ "set_lock_user_code": "Установить код пользователя замка",
+ "attribute_description": "Идентификатор устанавливаемого атрибута.",
+ "the_target_value": "Целевое значение.",
+ "set_zigbee_cluster_attribute": "Установить атрибут кластера Zigbee",
+ "level": "Уровень",
+ "strobe": "Стробоскоп",
+ "warning_device_squawk": "Включить сирену оповещающего устройства",
+ "duty_cycle": "Рабочий цикл",
+ "intensity": "Интенсивность",
+ "warning_device_starts_alert": "Включить сигнал оповещающего устройства",
"dump_log_objects": "Выгрузить объекты в журнал",
"log_current_tasks_description": "Ведёт журнал всех текущих задач asyncio.",
"log_current_asyncio_tasks": "Ведёт журнал текущих задач asyncio",
- "log_event_loop_scheduled": "Log event loop scheduled",
- "log_thread_frames_description": "Logs the current frames for all threads.",
- "log_thread_frames": "Log thread frames",
- "lru_stats_description": "Logs the stats of all lru caches.",
- "log_lru_stats": "Log LRU stats",
+ "log_event_loop_scheduled": "Записать запланированный цикл событий",
+ "log_thread_frames_description": "Записывает в журнал текущие кадры для всех потоков.",
+ "log_thread_frames": "Записать кадры потоков",
+ "lru_stats_description": "Записывает в журнал статистику всех кэшей LRU.",
+ "log_lru_stats": "Записать статистику LRU",
"starts_the_memory_profiler": "Запускает профилировщик памяти.",
"seconds": "Секунды",
"memory": "Память",
@@ -3146,65 +3364,15 @@
"stop_logging_object_sources": "Прекратить регистрацию источников объектов",
"stop_log_objects_description": "Останавливает регистрацию роста объектов в памяти.",
"stop_logging_objects": "Прекратить регистрацию объектов",
- "reload_themes_description": "Перезагружает YAML-конфигурацию тем пользовательского интерфейса.",
- "reload_themes": "Перезагрузить темы",
- "name_of_a_theme": "Название темы.",
- "set_the_default_theme": "Установить тему по умолчанию",
- "clear_tts_cache": "Очистить кэш TTS",
- "cache": "Кэш",
- "language_description": "Язык текста. По умолчанию используется язык сервера.",
- "options_description": "Словарь, содержащий специфические для интеграции опции.",
- "say_a_tts_message": "Произнести TTS-сообщение",
- "media_player_entity_id_description": "Медиаплееры для воспроизведения сообщения.",
- "media_player_entity": "Media player entity",
- "speak": "Произнести",
- "reload_resources_description": "Перезагружает YAML-конфигурацию ресурсов панелей.",
- "toggles_the_siren_on_off": "Включает или выключает сирену.",
- "turns_the_siren_off": "Выключает сирену.",
- "turns_the_siren_on": "Включает сирену.",
- "toggles_the_helper_on_off": "Включает или выключает вспомогательный объект.",
- "turns_off_the_helper": "Выключает вспомогательный объект.",
- "turns_on_the_helper": "Включает вспомогательный объект.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
- "restarts_an_add_on": "Перезапускает дополнение.",
- "the_add_on_to_restart": "Дополнение для перезапуска.",
- "restart_add_on": "Перезапустить дополнение",
- "starts_an_add_on": "Запускает дополнение.",
- "the_add_on_to_start": "Дополнение для запуска.",
- "start_add_on": "Запустить дополнение",
- "addon_stdin_description": "Записывает данные в стандартный ввод дополнения.",
- "addon_description": "Дополнение для записи.",
- "addon_stdin_name": "Записать данные в stdin дополнения",
- "stops_an_add_on": "Останавливает дополнение.",
- "the_add_on_to_stop": "Дополнение для остановки.",
- "stop_add_on": "Остановить дополнение",
- "the_add_on_to_update": "Дополнение для обновления.",
- "update_add_on": "Обновить дополнение",
- "creates_a_full_backup": "Создаёт полную резервную копию.",
- "compresses_the_backup_files": "Сжимает файлы резервных копий.",
- "compressed": "Сжать",
- "home_assistant_exclude_database": "Исключить базу данных Home Assistant",
- "name_description": "Необязательно (по умолчанию = текущая дата и время).",
- "create_a_full_backup": "Создать полную резервную копию",
- "creates_a_partial_backup": "Создаёт частичную резервную копию.",
- "add_ons": "Дополнения",
- "folders": "Папки",
- "homeassistant_description": "Включает в резервную копию настройки Home Assistant.",
- "home_assistant_settings": "Настройки Home Assistant",
- "create_a_partial_backup": "Создать частичную резервную копию",
- "reboots_the_host_system": "Перезагружает операционную систему хоста.",
- "reboot_the_host_system": "Перезагрузить хост",
- "host_shutdown_description": "Завершает работу операционной системы хоста.",
- "host_shutdown_name": "Завершить работу хоста",
- "restores_from_full_backup": "Возвращает к сохранённому состоянию из полной резервной копии.",
- "optional_password": "Опциональный пароль.",
- "slug_description": "Фрагмент резервной копии для восстановления.",
- "slug": "Фрагмент",
- "restore_from_full_backup": "Восстановить из полной резервной копии",
- "restore_partial_description": "Возвращает к сохранённому состоянию из частичной резервной копии.",
- "restores_home_assistant": "Возвращает Home Assistant к сохранённому состоянию из резервной копии.",
- "restore_from_partial_backup": "Восстановить из частичной резервной копии",
+ "set_default_level_description": "Устанавливает уровень журналирования по умолчанию для интеграций.",
+ "level_description": "Уровень серьезности по умолчанию для всех интеграций.",
+ "set_default_level": "Установить уровень по умолчанию",
+ "set_level": "Установить уровень",
+ "stops_a_running_script": "Останавливает работающий скрипт.",
+ "clear_skipped_update": "Очистить пропущенное обновление",
+ "install_update": "Установить обновление",
+ "skip_description": "Отмечает доступное обновление как пропущенное.",
+ "skip_update": "Пропустить обновление",
"decrease_speed_description": "Уменьшает скорость вращения вентилятора.",
"decrease_speed": "Уменьшить скорость",
"increase_speed_description": "Увеличивает скорость вращения вентилятора.",
@@ -3220,139 +3388,125 @@
"set_speed": "Установить скорость",
"sets_preset_fan_mode": "Активирует предустановку вентилятора.",
"preset_fan_mode": "Предустановка вентилятора.",
+ "set_preset_mode": "Активировать предустановку",
"toggles_a_fan_on_off": "Включает или выключает вентилятор.",
"turns_fan_off": "Выключает вентилятор.",
"turns_fan_on": "Включает вентилятор.",
- "get_weather_forecast": "Получить прогноз погоды.",
- "type_description": "Тип прогноза: ежедневный, ежечасный или два раза в день.",
- "forecast_type": "Тип прогноза",
- "get_forecast": "Получить прогноз",
- "get_weather_forecasts": "Получить прогнозы погоды.",
- "get_forecasts": "Получить прогнозы",
- "clear_skipped_update": "Очистить пропущенное обновление",
- "install_update": "Установить обновление",
- "skip_description": "Отмечает доступное обновление как пропущенное.",
- "skip_update": "Пропустить обновление",
- "code_description": "Код, используемый для разблокировки замка.",
- "arm_with_custom_bypass": "Поставить на охрану с исключениями",
- "alarm_arm_vacation_description": "Включает сигнализацию в режиме \"Отпуск\".",
- "disarms_the_alarm": "Отключает сигнализацию.",
- "trigger_the_alarm_manually": "Запустить тревогу вручную.",
- "trigger": "Активировать триггер",
- "selects_the_first_option": "Выбирает первый вариант.",
- "first": "Выбрать первый вариант",
- "selects_the_last_option": "Выбирает последний вариант.",
- "select_the_next_option": "Выбирает следующий вариант.",
- "selects_an_option": "Выбирает вариант.",
- "option_to_be_selected": "Вариант для выбора.",
- "selects_the_previous_option": "Выбирает предыдущий вариант.",
- "disables_the_motion_detection": "Отключает обнаружение движения.",
- "disable_motion_detection": "Отключить обнаружение движения",
- "enables_the_motion_detection": "Включает обнаружение движения.",
- "enable_motion_detection": "Включить обнаружение движения",
- "format_description": "Формат потока, поддерживаемый медиаплеером.",
- "format": "Формат",
- "media_player_description": "Медиаплееры для потоковой передачи данных.",
- "play_stream": "Воспроизвести поток",
- "filename_description": "Полный путь к имени файла. Должен быть mp4.",
- "filename": "Имя файла",
- "lookback": "Ретроспектива",
- "snapshot_description": "Делает моментальный снимок с камеры.",
- "full_path_to_filename": "Полный путь к имени файла.",
- "take_snapshot": "Сделать моментальный снимок",
- "turns_off_the_camera": "Выключает камеру.",
- "turns_on_the_camera": "Включает камеру.",
- "press_the_button_entity": "Нажимает на виртуальную кнопку.",
- "start_date_description": "Дата начала события на весь день.",
- "get_events": "Получить события",
- "sets_the_options": "Настраивает список вариантов.",
- "list_of_options": "Список вариантов.",
- "set_options": "Настроить варианты",
- "closes_a_cover": "Закрывает шторы, жалюзи или ворота.",
- "close_cover_tilt_description": "Переводит ламели в закрытое положение.",
- "opens_a_cover": "Открывает шторы, жалюзи или ворота.",
- "tilts_a_cover_open": "Переводит ламели в открытое положение.",
- "set_cover_position_description": "Открывает или закрывает на определенную позицию.",
- "target_tilt_positition": "Целевое положение наклона ламелей.",
- "set_tilt_position": "Установить положение наклона ламелей",
- "stops_the_cover_movement": "Останавливает открытие или закрытие.",
- "stop_cover_tilt_description": "Останавливает наклон ламелей.",
- "stop_tilt": "Остановить наклон ламелей",
- "toggles_a_cover_open_closed": "Открывает и закрывает шторы, жалюзи или ворота.",
- "toggle_cover_tilt_description": "Переключает наклон ламелей в открытое или закрытое положение.",
- "toggle_tilt": "Переключить наклон ламелей",
- "request_sync_description": "Отправляет команду request_sync в Google.",
- "agent_user_id": "Идентификатор пользователя",
- "request_sync": "Запрос синхронизации",
+ "set_datetime_description": "Устанавливает дату и/или время.",
+ "the_target_date": "Целевая дата.",
+ "datetime_description": "Целевая дата и время.",
+ "the_target_time": "Целевое время.",
"log_description": "Создает пользовательскую запись в журнале.",
+ "entity_id_description": "Медиаплееры для воспроизведения сообщения.",
"message_description": "Текст уведомления.",
"log": "Создать запись",
- "enter_your_text": "Введите текст.",
- "set_value": "Установить значение",
+ "request_sync_description": "Отправляет команду request_sync в Google.",
+ "agent_user_id": "Идентификатор пользователя",
+ "request_sync": "Запрос синхронизации",
+ "apply_description": "Активирует сцену с заданной конфигурацией.",
+ "entities_description": "Список объектов и их целевое состояние.",
+ "entities_state": "Состояние объектов",
+ "apply": "Применить",
+ "creates_a_new_scene": "Создает новую сцену.",
+ "entity_states": "Состояния объекта",
+ "scene_id_description": "Идентификатор объекта новой сцены.",
+ "scene_entity_id": "Идентификатор объекта сцены",
+ "entities_snapshot": "Снимок состояния объектов",
+ "delete_description": "Удаляет динамически созданную сцену.",
+ "activates_a_scene": "Активирует сцену.",
+ "reload_themes_description": "Перезагружает YAML-конфигурацию тем пользовательского интерфейса.",
+ "reload_themes": "Перезагрузить темы",
+ "name_of_a_theme": "Название темы.",
+ "set_the_default_theme": "Установить тему по умолчанию",
+ "decrement_description": "Уменьшает текущее значение на 1 шаг.",
+ "increment_description": "Увеличивает текущее значение на 1 шаг.",
+ "reset_description": "Сбрасывает счетчик на начальное значение.",
+ "set_value_description": "Устанавливает значение числа.",
+ "check_configuration": "Проверить конфигурацию",
+ "reload_all": "Перезагрузить все",
+ "reload_config_entry_description": "Перезагружает указанную запись конфигурации.",
+ "config_entry_id": "Идентификатор записи конфигурации",
+ "reload_config_entry": "Перезагрузить запись конфигурации",
+ "reload_core_config_description": "Перезагружает YAML-конфигурацию ядра.",
+ "reload_core_configuration": "Перезагрузить конфигурацию ядра",
+ "reload_custom_jinja_templates": "Перезагрузить пользовательские шаблоны Jinja2",
+ "restarts_home_assistant": "Перезапускает Home Assistant.",
+ "safe_mode_description": "Отключить пользовательские интеграции и пользовательские карточки.",
+ "save_persistent_states": "Сохранить постоянные состояния",
+ "set_location_description": "Обновляет местоположение Home Assistant.",
+ "elevation_description": "Высота вашего местоположения над уровнем моря.",
+ "latitude_of_your_location": "Широта Вашего местоположения.",
+ "longitude_of_your_location": "Долгота Вашего местоположения.",
+ "set_location": "Установить местоположение",
+ "stops_home_assistant": "Останавливает работу Home Assistant.",
+ "entities_to_update": "Объекты для обновления",
+ "update_entity": "Обновить объект",
+ "notify_description": "Отправляет уведомление выбранным целевым объектам.",
+ "data": "Данные",
+ "title_of_the_notification": "Заголовок уведомления.",
+ "send_a_persistent_notification": "Отправить постоянное уведомление",
+ "sends_a_notification_message": "Отправляет сообщение уведомления.",
+ "your_notification_message": "Сообщение уведомления.",
+ "title_description": "Необязательный заголовок уведомления.",
+ "send_a_notification_message": "Отправить сообщение уведомления",
+ "send_magic_packet": "Разбудить устройство",
"topic_to_listen_to": "Тема для прослушивания.",
"export": "Экспорт",
"publish_description": "Публикует сообщение в теме MQTT.",
"evaluate_payload": "Вычислить полезную нагрузку",
"the_payload_to_publish": "Данные для публикации.",
+ "payload": "Значение",
"qos": "QoS",
"retain": "Сохранять",
"topic_to_publish_to": "Тема для публикации.",
"publish": "Опубликовать",
- "reloads_the_automation_configuration": "Перезагружает конфигурацию автоматизации.",
- "trigger_description": "Запускает действия автоматизации.",
- "skip_conditions": "Пропустить условия",
- "disables_an_automation": "Деактивирует автоматизацию.",
- "stops_currently_running_actions": "Останавливает выполняемые в данный момент действия.",
- "stop_actions": "Остановить действия",
- "enables_an_automation": "Активирует автоматизацию.",
+ "load_url_description": "Загружает URL-адрес в браузере Fully Kiosk.",
+ "url_to_load": "URL-адрес для загрузки.",
+ "load_url": "Загрузить URL-адрес",
+ "configuration_parameter_to_set": "Параметр конфигурации для установки.",
+ "key": "Ключ",
+ "set_configuration": "Установить конфигурацию",
+ "application_description": "Имя пакета запускаемого приложения.",
+ "start_application": "Запустить приложение",
+ "battery_description": "Уровень заряда аккумулятора устройства.",
+ "gps_coordinates": "Координаты GPS",
+ "gps_accuracy_description": "Точность определения GPS-координат.",
+ "hostname_of_the_device": "Имя хоста устройства.",
+ "hostname": "Имя хоста",
+ "mac_description": "MAC-адрес устройства.",
+ "see": "Отследить",
+ "device_description": "Идентификатор устройства для отправки команды.",
+ "delete_command": "Удалить команду",
+ "alternative": "Альтернатива",
+ "timeout_description": "Тайм-аут для изучения команды.",
+ "learn_command": "Изучить команду",
+ "delay_seconds": "Задержка",
+ "hold_seconds": "Время удержания",
+ "send_command": "Отправить команду",
+ "sends_the_toggle_command": "Отправляет команду переключения.",
+ "turn_on_description": "Запускает новую уборку.",
+ "get_weather_forecast": "Получить прогноз погоды.",
+ "type_description": "Тип прогноза: ежедневный, ежечасный или два раза в день.",
+ "forecast_type": "Тип прогноза",
+ "get_forecast": "Получить прогноз",
+ "get_weather_forecasts": "Получить прогнозы погоды.",
+ "get_forecasts": "Получить прогнозы",
+ "press_the_button_entity": "Нажимает на виртуальную кнопку.",
"enable_remote_access": "Включить удаленный доступ",
"disable_remote_access": "Отключить удалённый доступ",
- "set_default_level_description": "Устанавливает уровень журналирования по умолчанию для интеграций.",
- "level_description": "Уровень серьезности по умолчанию для всех интеграций.",
- "set_default_level": "Установить уровень по умолчанию",
- "set_level": "Установить уровень",
- "bridge_identifier": "Идентификатор моста",
- "configuration_payload": "Полезная нагрузка конфигурации",
- "entity_description": "Представляет конкретную конечную точку устройства в deCONZ.",
- "path": "Путь",
- "configure": "Настроить",
- "device_refresh_description": "Обновляет доступные устройства из deCONZ.",
- "device_refresh": "Обновление устройства",
- "remove_orphaned_entries": "Удалить записи без родительских связей",
+ "create_description": "Отображает уведомление на панели уведомлений.",
+ "notification_id": "Идентификатор уведомления",
+ "dismiss_description": "Удаляет уведомление с панели уведомлений.",
+ "notification_id_description": "Идентификатор удаляемого уведомления.",
+ "dismiss_all_description": "Удаляет все уведомления с панели уведомлений.",
"locate_description": "Определяет местонахождение робота-пылесоса.",
"pauses_the_cleaning_task": "Приостанавливает уборку.",
"send_command_description": "Отправляет команду пылесосу.",
- "command_description": "Команды для отправки в Google Assistant.",
- "parameters": "Параметры",
"set_fan_speed": "Задать мощность всасывания",
"start_description": "Запускает или возобновляет уборку.",
"start_pause_description": "Запускает, приостанавливает или возобновляет уборку.",
"stop_description": "Останавливает уборку.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Включает или выключает выключатель.",
- "turns_a_switch_off": "Выключает выключатель.",
- "turns_a_switch_on": "Включает выключатель.",
- "extract_media_url_description": "Извлечение URL-адреса мультимедиа из службы.",
- "format_query": "Запрос формата",
- "url_description": "URL-адрес, по которому можно найти мультимедиа.",
- "media_url": "URL-адрес мультимедиа",
- "get_media_url": "Получить URL-адрес мультимедиа",
- "play_media_description": "Загружает файл с указанного URL-адреса.",
- "notify_description": "Отправляет уведомление выбранным целевым объектам.",
- "data": "Данные",
- "title_of_the_notification": "Заголовок уведомления.",
- "send_a_persistent_notification": "Отправить постоянное уведомление",
- "sends_a_notification_message": "Отправляет сообщение уведомления.",
- "your_notification_message": "Сообщение уведомления.",
- "title_description": "Необязательный заголовок уведомления.",
- "send_a_notification_message": "Отправить сообщение уведомления",
- "process_description": "Запускает диалог из расшифрованного текста.",
- "conversation_id": "Идентификатор диалога",
- "transcribed_text_input": "Расшифрованный ввод текста.",
- "process": "Обработать",
- "reloads_the_intent_configuration": "Перезагружает конфигурацию намерений.",
- "conversation_agent_to_reload": "Диалоговая система для перезагрузки.",
+ "toggle_description": "Включает или выключает медиаплеер.",
"play_chime_description": "Plays a ringtone on a Reolink Chime.",
"target_chime": "Целевой звонок",
"ringtone_to_play": "Рингтон для воспроизведения.",
@@ -3361,38 +3515,227 @@
"ptz_move_description": "Moves the camera with a specific speed.",
"ptz_move_speed": "PTZ move speed.",
"ptz_move": "PTZ move",
- "send_magic_packet": "Разбудить устройство",
- "send_text_command": "Send text command",
+ "disables_the_motion_detection": "Отключает обнаружение движения.",
+ "disable_motion_detection": "Отключить обнаружение движения",
+ "enables_the_motion_detection": "Включает обнаружение движения.",
+ "enable_motion_detection": "Включить обнаружение движения",
+ "format_description": "Формат потока, поддерживаемый медиаплеером.",
+ "format": "Формат",
+ "media_player_description": "Медиаплееры для потоковой передачи данных.",
+ "play_stream": "Воспроизвести поток",
+ "filename_description": "Полный путь к имени файла. Должен быть mp4.",
+ "filename": "Имя файла",
+ "lookback": "Ретроспектива",
+ "snapshot_description": "Делает моментальный снимок с камеры.",
+ "full_path_to_filename": "Полный путь к имени файла.",
+ "take_snapshot": "Сделать моментальный снимок",
+ "turns_off_the_camera": "Выключает камеру.",
+ "turns_on_the_camera": "Включает камеру.",
+ "reload_resources_description": "Перезагружает YAML-конфигурацию ресурсов панелей.",
+ "clear_tts_cache": "Очистить кэш TTS",
+ "cache": "Кэш",
+ "language_description": "Язык текста. По умолчанию используется язык сервера.",
+ "options_description": "Словарь, содержащий специфические для интеграции опции.",
+ "say_a_tts_message": "Произнести TTS-сообщение",
+ "media_player_entity": "Объект медиаплеера",
+ "speak": "Произнести",
+ "send_text_command": "Отправить текстовую команду",
+ "removes_a_group": "Удаляет группу.",
+ "object_id": "Идентификатор",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Добавить объекты",
+ "icon_description": "Название иконки для группы.",
+ "name_of_the_group": "Название группы.",
+ "remove_entities": "Удалить объекты",
+ "locks_a_lock": "Запирает замок.",
+ "code_description": "Код для включения сигнализации.",
+ "opens_a_lock": "Открывает замок.",
+ "unlocks_a_lock": "Отпирает замок.",
"announce_description": "Позволяет satellite объявить сообщение.",
"media_id": "Идентификатор медиа",
"the_message_to_announce": "Сообщение для объявления.",
+ "announce": "Объявить",
+ "reloads_the_automation_configuration": "Перезагружает конфигурацию автоматизации.",
+ "trigger_description": "Запускает действия автоматизации.",
+ "skip_conditions": "Пропустить условия",
+ "trigger": "Активировать триггер",
+ "disables_an_automation": "Деактивирует автоматизацию.",
+ "stops_currently_running_actions": "Останавливает выполняемые в данный момент действия.",
+ "stop_actions": "Остановить действия",
+ "enables_an_automation": "Активирует автоматизацию.",
"deletes_all_log_entries": "Удаляет все записи журнала.",
"write_log_entry": "Запись в журнал.",
"log_level": "Уровень журнала.",
"message_to_log": "Сообщение для журнала.",
"write": "Записать",
- "locks_a_lock": "Запирает замок.",
- "opens_a_lock": "Открывает замок.",
- "unlocks_a_lock": "Отпирает замок.",
- "removes_a_group": "Удаляет группу.",
- "object_id": "Идентификатор",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Добавить объекты",
- "icon_description": "Название иконки для группы.",
- "name_of_the_group": "Название группы.",
- "remove_entities": "Удалить объекты",
- "stops_a_running_script": "Останавливает работающий скрипт.",
- "create_description": "Отображает уведомление на панели уведомлений.",
- "notification_id": "Идентификатор уведомления",
- "dismiss_description": "Удаляет уведомление с панели уведомлений.",
- "notification_id_description": "Идентификатор удаляемого уведомления.",
- "dismiss_all_description": "Удаляет все уведомления с панели уведомлений.",
- "load_url_description": "Загружает URL-адрес в браузере Fully Kiosk.",
- "url_to_load": "URL-адрес для загрузки.",
- "load_url": "Загрузить URL-адрес",
- "configuration_parameter_to_set": "Параметр конфигурации для установки.",
- "key": "Ключ",
- "set_configuration": "Установить конфигурацию",
- "application_description": "Имя пакета запускаемого приложения.",
- "start_application": "Запустить приложение"
+ "dashboard_path": "Путь к панели",
+ "view_path": "Путь вкладки",
+ "show_dashboard_view": "Показать вкладку панели",
+ "process_description": "Запускает диалог из расшифрованного текста.",
+ "conversation_id": "Идентификатор диалога",
+ "transcribed_text_input": "Расшифрованный ввод текста.",
+ "process": "Обработать",
+ "reloads_the_intent_configuration": "Перезагружает конфигурацию намерений.",
+ "conversation_agent_to_reload": "Диалоговая система для перезагрузки.",
+ "closes_a_cover": "Закрывает шторы, жалюзи или ворота.",
+ "close_cover_tilt_description": "Переводит ламели в закрытое положение.",
+ "opens_a_cover": "Открывает шторы, жалюзи или ворота.",
+ "tilts_a_cover_open": "Переводит ламели в открытое положение.",
+ "set_cover_position_description": "Открывает или закрывает на определенную позицию.",
+ "target_position": "Целевая позиция.",
+ "set_position": "Установить позицию",
+ "target_tilt_positition": "Целевое положение наклона ламелей.",
+ "set_tilt_position": "Установить положение наклона ламелей",
+ "stops_the_cover_movement": "Останавливает открытие или закрытие.",
+ "stop_cover_tilt_description": "Останавливает наклон ламелей.",
+ "stop_tilt": "Остановить наклон ламелей",
+ "toggles_a_cover_open_closed": "Открывает и закрывает шторы, жалюзи или ворота.",
+ "toggle_cover_tilt_description": "Переключает наклон ламелей в открытое или закрытое положение.",
+ "toggle_tilt": "Переключить наклон ламелей",
+ "turns_auxiliary_heater_on_off": "Включает или выключает дополнительный обогреватель.",
+ "aux_heat_description": "Новое значение вспомогательного обогревателя.",
+ "turn_on_off_auxiliary_heater": "Включить или выключить дополнительный обогреватель",
+ "sets_fan_operation_mode": "Устанавливает режим работы вентиляции.",
+ "fan_operation_mode": "Режим работы вентиляции.",
+ "set_fan_mode": "Установить режим работы вентиляции",
+ "sets_target_humidity": "Устанавливает целевую влажность.",
+ "set_target_humidity": "Установить целевую влажность",
+ "sets_hvac_operation_mode": "Устанавливает режим работы системы отопления, вентиляции и кондиционирования воздуха.",
+ "hvac_operation_mode": "Режим работы системы отопления, вентиляции и кондиционирования воздуха.",
+ "set_hvac_mode": "Установить режим работы ОВиК",
+ "sets_preset_mode": "Активирует предустановку.",
+ "set_swing_horizontal_mode_description": "Устанавливает режим горизонтального качания.",
+ "horizontal_swing_operation_mode": "Режим работы горизонтального качания.",
+ "set_horizontal_swing_mode": "Установить режим горизонтального качания",
+ "sets_swing_operation_mode": "Устанавливает режим качания воздушных шторок.",
+ "swing_operation_mode": "Режим качания воздушных шторок.",
+ "set_swing_mode": "Установить режим качания",
+ "sets_the_temperature_setpoint": "Устанавливает целевую температуру.",
+ "the_max_temperature_setpoint": "Максимальная целевая температура.",
+ "the_min_temperature_setpoint": "Минимальная целевая температура.",
+ "the_temperature_setpoint": "Заданное значение температуры.",
+ "set_target_temperature": "Установить целевую температуру",
+ "turns_climate_device_off": "Выключает климатическое устройство.",
+ "turns_climate_device_on": "Включает климатическое устройство.",
+ "apply_filter": "Применить фильтр",
+ "days_to_keep": "Количество дней для сохранения",
+ "repack": "Перепаковать",
+ "domains_to_remove": "Домены для удаления",
+ "entity_globs_to_remove": "Глобальные параметры объектов для удаления",
+ "entities_to_remove": "Объекты для удаления",
+ "purge_entities": "Очистить объекты",
+ "clear_playlist_description": "Удаляет все элементы из плейлиста.",
+ "clear_playlist": "Очистить плейлист",
+ "selects_the_next_track": "Выбирает следующий трек.",
+ "pauses": "Приостанавливает воспроизведение.",
+ "starts_playing": "Начинает воспроизведение.",
+ "toggles_play_pause": "Переключает воспроизведение/паузу.",
+ "selects_the_previous_track": "Выбирает предыдущий трек.",
+ "seek": "Искать",
+ "stops_playing": "Останавливает воспроизведение.",
+ "starts_playing_specified_media": "Начинает воспроизведение указанного медиа.",
+ "enqueue": "Поставить в очередь",
+ "repeat_mode_to_set": "Установить режим повтора.",
+ "select_sound_mode_description": "Выбирает определенный режим звучания.",
+ "select_sound_mode": "Выбрать режим звучания",
+ "select_source": "Выбрать источник",
+ "shuffle_description": "Включать ли режим случайного воспроизведения.",
+ "unjoin": "Отсоединить",
+ "turns_down_the_volume": "Уменьшает громкость.",
+ "volume_mute_description": "Отключает или включает звук медиаплеера.",
+ "is_volume_muted_description": "Определяет, отключен звук или нет.",
+ "mute_unmute_volume": "Отключить или включить звук",
+ "sets_the_volume_level": "Устанавливает уровень громкости.",
+ "set_volume": "Установить громкость",
+ "turns_up_the_volume": "Увеличивает громкость.",
+ "restarts_an_add_on": "Перезапускает дополнение.",
+ "the_add_on_to_restart": "Дополнение для перезапуска.",
+ "restart_add_on": "Перезапустить дополнение",
+ "starts_an_add_on": "Запускает дополнение.",
+ "the_add_on_to_start": "Дополнение для запуска.",
+ "start_add_on": "Запустить дополнение",
+ "addon_stdin_description": "Записывает данные в стандартный ввод дополнения.",
+ "addon_description": "Дополнение для записи.",
+ "addon_stdin_name": "Записать данные в stdin дополнения",
+ "stops_an_add_on": "Останавливает дополнение.",
+ "the_add_on_to_stop": "Дополнение для остановки.",
+ "stop_add_on": "Остановить дополнение",
+ "the_add_on_to_update": "Дополнение для обновления.",
+ "update_add_on": "Обновить дополнение",
+ "creates_a_full_backup": "Создаёт полную резервную копию.",
+ "compresses_the_backup_files": "Сжимает файлы резервных копий.",
+ "compressed": "Сжать",
+ "home_assistant_exclude_database": "Исключить базу данных Home Assistant",
+ "name_description": "Необязательно (по умолчанию = текущая дата и время).",
+ "create_a_full_backup": "Создать полную резервную копию",
+ "creates_a_partial_backup": "Создаёт частичную резервную копию.",
+ "add_ons": "Дополнения",
+ "folders": "Папки",
+ "homeassistant_description": "Включает в резервную копию настройки Home Assistant.",
+ "home_assistant_settings": "Настройки Home Assistant",
+ "create_a_partial_backup": "Создать частичную резервную копию",
+ "reboots_the_host_system": "Перезагружает операционную систему хоста.",
+ "reboot_the_host_system": "Перезагрузить хост",
+ "host_shutdown_description": "Завершает работу операционной системы хоста.",
+ "host_shutdown_name": "Завершить работу хоста",
+ "restores_from_full_backup": "Возвращает к сохранённому состоянию из полной резервной копии.",
+ "optional_password": "Опциональный пароль.",
+ "slug_description": "Фрагмент резервной копии для восстановления.",
+ "slug": "Фрагмент",
+ "restore_from_full_backup": "Восстановить из полной резервной копии",
+ "restore_partial_description": "Возвращает к сохранённому состоянию из частичной резервной копии.",
+ "restores_home_assistant": "Возвращает Home Assistant к сохранённому состоянию из резервной копии.",
+ "restore_from_partial_backup": "Восстановить из частичной резервной копии",
+ "selects_the_first_option": "Выбирает первый вариант.",
+ "first": "Выбрать первый вариант",
+ "selects_the_last_option": "Выбирает последний вариант.",
+ "select_the_next_option": "Выбирает следующий вариант.",
+ "selects_an_option": "Выбирает вариант.",
+ "option_to_be_selected": "Вариант для выбора.",
+ "selects_the_previous_option": "Выбирает предыдущий вариант.",
+ "add_event_description": "Добавляет новое событие календаря.",
+ "location_description": "Местоположение события. Необязательно.",
+ "start_date_description": "Дата начала события на весь день.",
+ "create_event": "Создать событие",
+ "get_events": "Получить события",
+ "closes_a_valve": "Закрывает клапан.",
+ "opens_a_valve": "Открывает клапан.",
+ "set_valve_position_description": "Перемещает клапан в определенную позицию.",
+ "stops_the_valve_movement": "Останавливает движение клапана.",
+ "toggles_a_valve_open_closed": "Переключает клапан в открытое/закрытое положение.",
+ "bridge_identifier": "Идентификатор моста",
+ "configuration_payload": "Полезная нагрузка конфигурации",
+ "entity_description": "Представляет конкретную конечную точку устройства в deCONZ.",
+ "path": "Путь",
+ "configure": "Настроить",
+ "device_refresh_description": "Обновляет доступные устройства из deCONZ.",
+ "device_refresh": "Обновление устройства",
+ "remove_orphaned_entries": "Удалить записи без родительских связей",
+ "calendar_id_description": "ID календаря, который вы хотите.",
+ "calendar_id": "ID календаря",
+ "description_description": "Описание события. Необязательно.",
+ "summary_description": "Выступает в роли названия события.",
+ "extract_media_url_description": "Извлечение URL-адреса мультимедиа из службы.",
+ "format_query": "Запрос формата",
+ "url_description": "URL-адрес, по которому можно найти мультимедиа.",
+ "media_url": "URL-адрес мультимедиа",
+ "get_media_url": "Получить URL-адрес мультимедиа",
+ "play_media_description": "Загружает файл с указанного URL-адреса.",
+ "sets_the_options": "Настраивает список вариантов.",
+ "list_of_options": "Список вариантов.",
+ "set_options": "Настроить варианты",
+ "arm_with_custom_bypass": "Поставить на охрану с исключениями",
+ "alarm_arm_vacation_description": "Включает сигнализацию в режиме \"Отпуск\".",
+ "disarms_the_alarm": "Отключает сигнализацию.",
+ "trigger_the_alarm_manually": "Запустить тревогу вручную.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Завершает работающий таймер раньше запланированного.",
+ "duration_description": "Пользовательская продолжительность для перезапуска таймера.",
+ "toggles_a_switch_on_off": "Включает или выключает выключатель.",
+ "turns_a_switch_off": "Выключает выключатель.",
+ "turns_a_switch_on": "Включает выключатель."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/sk/sk.json b/packages/core/src/hooks/useLocale/locales/sk/sk.json
index 89530000..79ca3f26 100644
--- a/packages/core/src/hooks/useLocale/locales/sk/sk.json
+++ b/packages/core/src/hooks/useLocale/locales/sk/sk.json
@@ -69,7 +69,7 @@
"action_to_target": "{action} na zacielenie",
"target": "Cieľ",
"humidity_target": "Cieľová vlhkosť",
- "increment": "Pripočítanie",
+ "increment": "Prírastok",
"decrement": "Zníženie",
"reset": "Reset",
"position": "Pozícia",
@@ -220,6 +220,7 @@
"name": "Názov",
"optional": "voliteľné",
"default": "Predvolený",
+ "ui_common_dont_save": "Neukladať",
"select_media_player": "Vyberte prehrávač médií",
"media_browse_not_supported": "Prehrávač médií nepodporuje prezeranie médií.",
"pick_media": "Vybrať médiá",
@@ -643,8 +644,9 @@
"line_line_column_column": "riadok: {line}, stĺpec: {column}",
"last_changed": "Posledná zmena",
"last_updated": "Posledná aktualizácia",
- "remaining_time": "Zostávajúci čas",
+ "time_left": "Zostávajúci čas",
"install_status": "Stav inštalácie",
+ "ui_components_multi_textfield_add_item": "Pridať {item}",
"safe_mode": "Bezpečný režim",
"all_yaml_configuration": "Celá konfigurácia YAML",
"domain": "Doména",
@@ -749,6 +751,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Vytvoriť zálohu pred aktualizáciou",
"update_instructions": "Aktualizovať pokyny",
"current_activity": "Aktuálne entity",
+ "status": "Stav 2",
"vacuum_cleaner_commands": "Príkazy vysávača:",
"fan_speed": "Rýchlosť ventilátora",
"clean_spot": "Vyčistiť miesto",
@@ -783,7 +786,7 @@
"default_code": "Predvolený kód",
"editor_default_code_error": "Kód nezodpovedá formátu kódu",
"entity_id": "ID entity",
- "unit_of_measurement": "Jednotka merania",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "Jednotka zrážok",
"display_precision": "Presnosť zobrazenia",
"default_value": "Predvolené ({value})",
@@ -865,7 +868,7 @@
"restart_home_assistant": "Reštartovať Home Assistant?",
"advanced_options": "Pokročilé nastavenia",
"quick_reload": "Rýchle opätovné načítanie",
- "reload_description": "Načíta všetky dostupné skripty.",
+ "reload_description": "Znova načíta časovače z konfigurácie YAML.",
"reloading_configuration": "Opätovné načítanie konfigurácie",
"failed_to_reload_configuration": "Opätovné načítanie konfigurácie zlyhalo",
"restart_description": "Preruší všetky spustené automatizácie a skripty.",
@@ -893,8 +896,8 @@
"password": "Heslo",
"regex_pattern": "Regex vzor",
"used_for_client_side_validation": "Používa sa na overenie na strane klienta",
- "minimum_value": "Minimálna hodnota",
- "maximum_value": "Maximálna hodnota",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Vstupné pole",
"slider": "Posuvník",
"step_size": "Veľkosť kroku",
@@ -913,7 +916,7 @@
"system_options_for_integration": "Systémové možnosti pre {integration}",
"enable_newly_added_entities": "Povoliť novo pridané entity",
"enable_polling_for_changes": "Povolenie dotazovania na zmeny",
- "reconfiguring_device": "Rekonfigurácia zariadenia",
+ "reconfigure_device": "Rekonfigurácia zariadenia",
"config": "Konfigurácia",
"start_reconfiguration": "Spustenie rekonfigurácie",
"device_reconfiguration_complete": "Rekonfigurácia zariadenia je dokončená.",
@@ -939,7 +942,7 @@
"ui_dialogs_zha_device_info_confirmations_remove": "Naozaj chcete odstrániť zariadenie?",
"quirk": "Zvláštnosť",
"last_seen": "Naposledy videný",
- "power_source": "Zdroj napájania",
+ "power_source": "Zdroj energie",
"change_device_name": "Zmeniť názov zariadenia",
"device_debug_info": "Informácie o ladení {device}",
"mqtt_device_debug_info_deserialize": "Pokus interpretovať správy MQTT ako JSON",
@@ -1033,7 +1036,7 @@
"log_in": "Prihlásiť sa",
"notification_drawer_click_to_configure": "Stlačením tlačidla nakonfigurujete {entity}",
"no_notifications": "Žiadne upozornenia",
- "warning": "Upozornenie",
+ "warn": "Upozornenie",
"dismiss_all": "Zrušiť všetko",
"notification_toast_action_failed": "Nepodarilo sa vykonať akciu {service}.",
"connection_lost_reconnecting": "Prerušené spojenie. Opätovné pripájanie…",
@@ -1213,7 +1216,7 @@
"ui_panel_lovelace_editor_edit_view_type_helper_sections": "Nemôžete zmeniť svoje zobrazenie na typ zobrazenia 'sekcie', pretože migrácia zatiaľ nie je podporovaná. Ak chcete experimentovať so zobrazením sekcií, začnite od začiatku s novým zobrazením.",
"card_configuration": "Konfigurácia karty",
"type_card_configuration": "{type} Konfigurácia karty",
- "edit_card_pick_card": "Ktorú kartu chcete pridať?",
+ "add_to_dashboard": "Pridať do používateľského panelu",
"toggle_editor": "Prepnúť editor",
"you_have_unsaved_changes": "Máte neuložené zmeny",
"edit_card_confirm_cancel": "Naozaj chcete zrušiť?",
@@ -1239,7 +1242,6 @@
"edit_badge_pick_badge": "Ktorý odznak by ste chceli pridať?",
"add_badge": "Pridať odznak",
"suggest_card_header": "Vytvorili sme pre vás návrh",
- "add_to_dashboard": "Pridať do používateľského panelu",
"move_card_strategy_error_title": "Karta sa nedá presunúť",
"card_moved_successfully": "Karta bola úspešne presunutá",
"error_while_moving_card": "Chyba pri presúvaní karty",
@@ -1413,6 +1415,12 @@
"show_more_detail": "Zobraziť viac podrobností",
"to_do_list": "Zoznam úloh",
"hide_completed_items": "Skryť dokončené položky",
+ "ui_panel_lovelace_editor_card_todo_list_display_order": "Poradie zobrazenia",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc": "abecedne (A-Z)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_desc": "abecedne (Z-A)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc": "Dátum splatnosti (prvé skorší)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc": "Dátum splatnosti (prvé najneskorší)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_manual": "Manuálne",
"thermostat": "Termostat",
"thermostat_show_current_as_primary": "Zobraziť aktuálnu teplotu ako primárnu informáciu",
"tile": "Dlaždica",
@@ -1521,140 +1529,119 @@
"now": "Teraz",
"compare_data": "Porovnať údaje",
"reload_ui": "Znova načítať UI",
- "tag": "Značka",
- "input_datetime": "Vstupný dátum a čas",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Časovač",
- "local_calendar": "Miestny kalendár",
- "intent": "Intent",
- "device_tracker": "Sledovanie zariadenia",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Logický vstup",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "tag": "Značka",
+ "media_source": "Media Source",
+ "mobile_app": "Mobilná aplikácia",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostiky",
+ "filesize": "Veľkosť súboru",
+ "group": "Skupina",
+ "binary_sensor": "Binárny snímač",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Výber z možností",
+ "device_automation": "Device Automation",
+ "person": "Osoba",
+ "input_button": "Vstupné tlačidlo",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Skript",
"fan": "Ventilátor",
- "weather": "Počasie",
- "camera": "Kamera",
+ "scene": "Scene",
"schedule": "Plánovanie",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automatizácia",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Počasie",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Konverzácia",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Vstupný text",
- "valve": "Ventil",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Klimatizácia",
- "binary_sensor": "Binárny snímač",
- "broadlink": "Broadlink",
+ "assist_satellite": "Asistenčný satelit",
+ "automation": "Automatizácia",
+ "system_log": "System Log",
+ "cover": "Kryt",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Ventil",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Kryt",
- "samsungtv_smart": "SamsungTV Smart",
- "google_assistant": "Google Assistant",
- "zone": "Zóna",
- "auth": "Auth",
- "event": "Udalosť",
- "home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Prepínač",
- "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
- "google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Trvalé upozornenie",
- "trace": "Trace",
- "remote": "Diaľkové ovládanie",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Miestny kalendár",
"tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Počítadlo",
- "filesize": "Veľkosť súboru",
+ "siren": "Siréna",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Kosačka na trávu",
+ "system_monitor": "System Monitor",
"image_upload": "Image Upload",
- "recorder": "Recorder",
"home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Logický vstup",
- "lawn_mower": "Kosačka na trávu",
- "input_select": "Výber z možností",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobilná aplikácia",
- "media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
- "shelly": "Shelly",
- "group": "Skupina",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "google_assistant": "Google Assistant",
+ "daikin_ac": "Daikin AC",
"fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostiky",
- "person": "Osoba",
- "localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Prihlasovacie údaje aplikácie",
- "siren": "Siréna",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Vstupné tlačidlo",
+ "device_tracker": "Sledovanie zariadenia",
+ "remote": "Diaľkové ovládanie",
+ "home_assistant_cloud": "Home Assistant Cloud",
+ "persistent_notification": "Trvalé upozornenie",
"vacuum": "Vysávač",
"reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
+ "camera": "Kamera",
+ "hacs": "HACS",
+ "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
+ "google_assistant_sdk": "Google Assistant SDK",
+ "samsungtv_smart": "SamsungTV Smart",
+ "google_cast": "Google Cast",
"rpi_power_title": "Kontrola napájacieho zdroja Raspberry Pi",
- "assist_satellite": "Asistenčný satelit",
- "script": "Skript",
- "ring": "Ring",
+ "conversation": "Konverzácia",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Klimatizácia",
+ "recorder": "Recorder",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Udalosť",
+ "zone": "Zóna",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
+ "timer": "Časovač",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Prepínač",
+ "input_datetime": "Vstupný dátum a čas",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Počítadlo",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
"configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Prihlasovacie údaje aplikácie",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
+ "media_extractor": "Media Extractor",
+ "stream": "Stream",
+ "shelly": "Shelly",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Vstupný text",
+ "localtuya": "LocalTuya integration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Aktivita kalórií",
- "awakenings_count": "Prebudenia sa počítajú",
- "battery_level": "Úroveň batérie",
- "bmi": "BMI",
- "body_fat": "Telesný tuk",
- "calories": "Kalórie",
- "calories_bmr": "Kalórie BMR",
- "calories_in": "Kalórie v",
- "floors": "Podlahy",
- "minutes_after_wakeup": "Minúty po prebudení",
- "minutes_fairly_active": "Minúty pomerne aktívne",
- "minutes_lightly_active": "Minúty mierne aktívne",
- "minutes_sedentary": "Minúty sedenia",
- "minutes_very_active": "Minúty veľmi aktívne",
- "resting_heart_rate": "Pokojová srdcová frekvencia",
- "sleep_efficiency": "Efektívnosť spánku",
- "sleep_minutes_asleep": "Minúty spánku",
- "sleep_minutes_awake": "Minúty spánku v bdelom stave",
- "sleep_minutes_to_fall_asleep_name": "Minúty spánku na zaspávanie",
- "sleep_start_time": "Čas začiatku spánku",
- "sleep_time_in_bed": "Čas spánku v posteli",
- "steps": "Kroky",
"battery_low": "Slabá batéria",
"cloud_connection": "Cloudové pripojenie",
"humidity_warning": "Upozornenie na vlhkosť",
@@ -1683,6 +1670,7 @@
"alarm_source": "Zdroj alarmu",
"auto_off_at": "Automatické vypnutie o",
"available_firmware_version": "Dostupná verzia firmvéru",
+ "battery_level": "Úroveň batérie",
"this_month_s_consumption": "Spotreba tento mesiac",
"today_s_consumption": "Dnešná spotreba",
"total_consumption": "Celková spotreba",
@@ -1700,7 +1688,7 @@
"auto_off_enabled": "Povolené automatické vypnutie",
"auto_update_enabled": "Automatická aktualizácia povolená",
"baby_cry_detection": "Detekcia detského plaču",
- "child_lock": "Detský zámok",
+ "child_lock": "Detský Zámok",
"fan_sleep_mode": "Režim spánku ventilátora",
"led": "LED",
"motion_detection": "Detekcia pohybu",
@@ -1708,30 +1696,16 @@
"motion_sensor": "Pohybový snímač",
"smooth_transitions": "Plynulé prechody",
"tamper_detection": "Detekcia neoprávnenej manipulácie",
- "next_dawn": "Ďalšie svitanie",
- "next_dusk": "Ďalší súmrak",
- "next_midnight": "Ďalšia polnoc",
- "next_noon": "Ďalšie poludnie",
- "next_rising": "Ďalší východ slnka",
- "next_setting": "Ďalší západ slnka",
- "solar_azimuth": "Slnečný azimut",
- "solar_elevation": "Solárna výška",
- "solar_rising": "Solárny východ",
- "day_of_week": "Deň v týždni",
- "illuminance": "Osvetlenie",
- "noise": "Šum",
- "overload": "Preťaženie",
- "working_location": "Pracovné miesto",
- "created": "Vytvorené",
- "size": "Veľkosť",
- "size_in_bytes": "Veľkosť v bajtoch",
- "compressor_energy_consumption": "Spotreba energie kompresora",
- "compressor_estimated_power_consumption": "Odhadovaná spotreba energie kompresora",
- "compressor_frequency": "Frekvencia kompresora",
- "cool_energy_consumption": "Spotreba energie na chladenie",
- "heat_energy_consumption": "Spotreba energie na kúrenie",
- "inside_temperature": "Vnútorná teplota",
- "outside_temperature": "Vonkajšia teplota",
+ "calibration": "Kalibrácia",
+ "auto_lock_paused": "Automatické uzamknutie je pozastavené",
+ "timeout": "Časový limit",
+ "unclosed_alarm": "Neuzavretý alarm",
+ "unlocked_alarm": "Odomknutý alarm",
+ "bluetooth_signal": "Bluetooth signál",
+ "light_level": "Úroveň osvetlenia",
+ "wi_fi_signal": "WiFi signál",
+ "momentary": "Krátkodobý",
+ "pull_retract": "Ťahanie/vyťahovanie",
"process_process": "Proces {process}",
"disk_free_mount_point": "Disk voľný {mount_point}",
"disk_use_mount_point": "Disk použitie {mount_point}",
@@ -1753,34 +1727,73 @@
"swap_usage": "Swap využitie",
"network_throughput_in_interface": "Priepustnosť siete dovnútra {interface}",
"network_throughput_out_interface": "Priepustnosť siete von {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Asistencia prebieha",
- "preferred": "Preferované",
- "finished_speaking_detection": "Ukončená detekcia hovorenia",
- "aggressive": "Agresívne",
- "relaxed": "Uvoľnené",
- "os_agent_version": "Verzia agenta OS",
- "apparmor_version": "Verzia Apparmor",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk voľný",
- "disk_total": "Disk celkovo",
- "disk_used": "Disk použitý",
- "memory_percent": "Percento pamäte",
- "version": "Verzia",
- "newest_version": "Najnovšia verzia",
+ "day_of_week": "Deň v týždni",
+ "illuminance": "Osvetlenie",
+ "noise": "Šum",
+ "overload": "Preťaženie",
+ "activity_calories": "Aktivita kalórií",
+ "awakenings_count": "Prebudenia sa počítajú",
+ "bmi": "BMI",
+ "body_fat": "Telesný tuk",
+ "calories": "Kalórie",
+ "calories_bmr": "Kalórie BMR",
+ "calories_in": "Kalórie v",
+ "floors": "Podlahy",
+ "minutes_after_wakeup": "Minúty po prebudení",
+ "minutes_fairly_active": "Minúty pomerne aktívne",
+ "minutes_lightly_active": "Minúty mierne aktívne",
+ "minutes_sedentary": "Minúty sedenia",
+ "minutes_very_active": "Minúty veľmi aktívne",
+ "resting_heart_rate": "Pokojová srdcová frekvencia",
+ "sleep_efficiency": "Efektívnosť spánku",
+ "sleep_minutes_asleep": "Minúty spánku",
+ "sleep_minutes_awake": "Minúty spánku v bdelom stave",
+ "sleep_minutes_to_fall_asleep_name": "Minúty spánku na zaspávanie",
+ "sleep_start_time": "Čas začiatku spánku",
+ "sleep_time_in_bed": "Čas spánku v posteli",
+ "steps": "Kroky",
"synchronize_devices": "Synchronizácia zariadení",
- "estimated_distance": "Odhadovaná vzdialenosť",
- "vendor": "Výrobca",
- "quiet": "Tichý",
- "wake_word": "Slovo prebudenia",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Automatické zosilnenie",
+ "ding": "Ding",
+ "last_recording": "Posledná nahrávka",
+ "intercom_unlock": "Odomknutie interkomu",
+ "doorbell_volume": "Hlasitosť zvončeka",
"mic_volume": "Hlasitosť mikrofónu",
- "noise_suppression_level": "Úroveň potlačenia hluku",
- "off": "Neaktívny",
- "mute": "Stlmiť",
+ "voice_volume": "Hlasitosť hlasu",
+ "last_activity": "Posledná aktivita",
+ "last_ding": "Posledné cinknutie",
+ "last_motion": "Posledný pohyb",
+ "wi_fi_signal_category": "Kategória signálu WiFi",
+ "wi_fi_signal_strength": "Sila signálu WiFi",
+ "in_home_chime": "Domáca zvonkohra",
+ "compressor_energy_consumption": "Spotreba energie kompresora",
+ "compressor_estimated_power_consumption": "Odhadovaná spotreba energie kompresora",
+ "compressor_frequency": "Frekvencia kompresora",
+ "cool_energy_consumption": "Spotreba energie na chladenie",
+ "heat_energy_consumption": "Spotreba energie na kúrenie",
+ "inside_temperature": "Vnútorná teplota",
+ "outside_temperature": "Vonkajšia teplota",
+ "device_admin": "Správca zariadenia",
+ "kiosk_mode": "Kiosk režim",
+ "load_start_url": "Načítať počiatočnú adresu URL",
+ "restart_browser": "Reštartovanie prehliadača",
+ "restart_device": "Reštartovanie zariadenia",
+ "send_to_background": "Odoslať na pozadie",
+ "bring_to_foreground": "Preniesť do popredia",
+ "screenshot": "Snímka obrazovky",
+ "overlay_message": "Správa prekrytia",
+ "screen_brightness": "Jas obrazovky",
+ "screen_off_timer": "Časovač vypnutia obrazovky",
+ "screensaver_brightness": "Jas šetriča obrazovky",
+ "screensaver_timer": "Časovač šetriča obrazovky",
+ "current_page": "Aktuálna stránka",
+ "foreground_app": "Aplikácia v popredí",
+ "internal_storage_free_space": "Voľné miesto v internom úložisku",
+ "internal_storage_total_space": "Celkový priestor vnútorného úložiska",
+ "total_memory": "Celková pamäť",
+ "screen_orientation": "Orientácia obrazovky",
+ "kiosk_lock": "Zámok kiosku",
+ "maintenance_mode": "Režim údržby",
+ "screensaver": "Šetrič obrazovky",
"animal": "Zviera",
"detected": "Zistené",
"animal_lens": "Objektív pre zvieratá 1",
@@ -1854,6 +1867,7 @@
"pir_sensitivity": "Citlivosť PIR",
"zoom": "Priblíženie",
"auto_quick_reply_message": "Automatická rýchla odpoveď",
+ "off": "Vypnuté",
"auto_track_method": "Metóda automatického sledovania",
"digital": "Digitálne",
"digital_first": "Najskôr digitálne",
@@ -1904,7 +1918,6 @@
"ptz_pan_position": "Poloha otočenia PTZ",
"ptz_tilt_position": "Poloha sklonu PTZ",
"sd_hdd_index_storage": "Úložisko SD {hdd_index}",
- "wi_fi_signal": "WiFi signál",
"auto_focus": "Automatické zaostrovanie",
"auto_tracking": "Automatické sledovanie",
"doorbell_button_sound": "Zvuk tlačidla zvončeka",
@@ -1921,6 +1934,49 @@
"record": "Záznam",
"record_audio": "Nahrávanie zvuku",
"siren_on_event": "Siréna pri udalosti",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Vytvorené",
+ "size": "Veľkosť",
+ "size_in_bytes": "Veľkosť v bajtoch",
+ "assist_in_progress": "Asistencia prebieha",
+ "quiet": "Tichý",
+ "preferred": "Preferované",
+ "finished_speaking_detection": "Ukončená detekcia hovorenia",
+ "aggressive": "Agresívne",
+ "relaxed": "Uvoľnené",
+ "wake_word": "Slovo prebudenia",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "Verzia agenta OS",
+ "apparmor_version": "Verzia Apparmor",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk voľný",
+ "disk_total": "Disk celkovo",
+ "disk_used": "Disk použitý",
+ "memory_percent": "Percento pamäte",
+ "version": "Verzia",
+ "newest_version": "Najnovšia verzia",
+ "auto_gain": "Automatické zosilnenie",
+ "noise_suppression_level": "Úroveň potlačenia hluku",
+ "mute": "Stlmiť",
+ "bytes_received": "Prijaté bajty",
+ "server_country": "Krajina servera",
+ "server_id": "ID servera",
+ "server_name": "Názov servera",
+ "ping": "Ping",
+ "upload": "Nahrať",
+ "bytes_sent": "Odoslané bajty",
+ "working_location": "Pracovné miesto",
+ "next_dawn": "Ďalšie svitanie",
+ "next_dusk": "Ďalší súmrak",
+ "next_midnight": "Ďalšia polnoc",
+ "next_noon": "Ďalšie poludnie",
+ "next_rising": "Ďalší východ slnka",
+ "next_setting": "Ďalší západ slnka",
+ "solar_azimuth": "Slnečný azimut",
+ "solar_elevation": "Solárna výška",
+ "solar_rising": "Solárny východ",
"heavy": "Ťažké",
"mild": "Mierne",
"button_down": "Tlačidlo dole",
@@ -1940,70 +1996,249 @@
"closing": "Zatvára sa",
"failure": "Zlyhanie",
"opened": "Otvorený",
- "ding": "Ding",
- "last_recording": "Posledná nahrávka",
- "intercom_unlock": "Odomknutie interkomu",
- "doorbell_volume": "Hlasitosť zvončeka",
- "voice_volume": "Hlasitosť hlasu",
- "last_activity": "Posledná aktivita",
- "last_ding": "Posledné cinknutie",
- "last_motion": "Posledný pohyb",
- "wi_fi_signal_category": "Kategória signálu WiFi",
- "wi_fi_signal_strength": "Sila signálu WiFi",
- "in_home_chime": "Domáca zvonkohra",
- "calibration": "Kalibrácia",
- "auto_lock_paused": "Automatické uzamknutie je pozastavené",
- "timeout": "Časový limit",
- "unclosed_alarm": "Neuzavretý alarm",
- "unlocked_alarm": "Odomknutý alarm",
- "bluetooth_signal": "Bluetooth signál",
- "light_level": "Úroveň osvetlenia",
- "momentary": "Krátkodobý",
- "pull_retract": "Ťahanie/vyťahovanie",
- "bytes_received": "Prijaté bajty",
- "server_country": "Krajina servera",
- "server_id": "ID servera",
- "server_name": "Názov servera",
- "ping": "Ping",
- "upload": "Nahrať",
- "bytes_sent": "Odoslané bajty",
- "device_admin": "Správca zariadenia",
- "kiosk_mode": "Kiosk režim",
- "load_start_url": "Načítať počiatočnú adresu URL",
- "restart_browser": "Reštartovanie prehliadača",
- "restart_device": "Reštartovanie zariadenia",
- "send_to_background": "Odoslať na pozadie",
- "bring_to_foreground": "Preniesť do popredia",
- "screenshot": "Snímka obrazovky",
- "overlay_message": "Správa prekrytia",
- "screen_brightness": "Jas obrazovky",
- "screen_off_timer": "Časovač vypnutia obrazovky",
- "screensaver_brightness": "Jas šetriča obrazovky",
- "screensaver_timer": "Časovač šetriča obrazovky",
- "current_page": "Aktuálna stránka",
- "foreground_app": "Aplikácia v popredí",
- "internal_storage_free_space": "Voľné miesto v internom úložisku",
- "internal_storage_total_space": "Celkový priestor vnútorného úložiska",
- "total_memory": "Celková pamäť",
- "screen_orientation": "Orientácia obrazovky",
- "kiosk_lock": "Zámok kiosku",
- "maintenance_mode": "Režim údržby",
- "screensaver": "Šetrič obrazovky",
- "last_scanned_by_device_id_name": "Posledné skenovanie podľa ID zariadenia",
- "tag_id": "ID značky",
- "managed_via_ui": "Spravované cez používateľské rozhranie",
- "max_length": "Max. dĺžka",
- "min_length": "Min. dĺžka",
- "pattern": "Vzor",
- "minute": "Minúta",
- "second": "Sekunda",
- "timestamp": "Časová pečiatka",
- "stopped": "Zastavené",
+ "estimated_distance": "Odhadovaná vzdialenosť",
+ "vendor": "Výrobca",
+ "accelerometer": "Akcelerometer",
+ "binary_input": "Binárny vstup",
+ "calibrated": "Kalibrovaný",
+ "consumer_connected": "Spotrebiteľ pripojený",
+ "external_sensor": "Externý snímač",
+ "frost_lock": "Zámok proti mrazu",
+ "opened_by_hand": "Otvorené ručne",
+ "heat_required": "Potrebné teplo",
+ "ias_zone": "Zóna IAS",
+ "linkage_alarm_state": "Stav alarmu prepojenia",
+ "mounting_mode_active": "Režim montáže aktívny",
+ "open_window_detection_status": "Stav detekcie otvoreného okna",
+ "pre_heat_status": "Stav predhrievania",
+ "replace_filter": "Nahradiť filter",
+ "valve_alarm": "Alarm ventilu",
+ "open_window_detection": "Detekcia otvoreného okna",
+ "feed": "Kŕmiť",
+ "frost_lock_reset": "Resetovanie zámku proti mrazu",
+ "presence_status_reset": "Resetovanie stavu prítomnosti",
+ "reset_summation_delivered": "Resetovať súčet doručený",
+ "self_test": "Autotest",
+ "keen_vent": "Kľúčové vetracie zariadenie",
+ "fan_group": "Skupina ventilátor",
+ "light_group": "Skupina osvetlenie",
+ "door_lock": "Zámok dverí",
+ "ambient_sensor_correction": "Korekcia snímača okolia",
+ "approach_distance": "Vzdialenosť priblíženia",
+ "automatic_switch_shutoff_timer": "Časovač automatického vypnutia vypínača",
+ "away_preset_temperature": "Prednastavená teplota (mimo)",
+ "boost_amount": "Zvýšiť množstvo",
+ "button_delay": "Oneskorenie tlačidla",
+ "local_default_dimming_level": "Miestna predvolená úroveň stmievania",
+ "remote_default_dimming_level": "Vzdialená predvolená úroveň stmievania",
+ "default_move_rate": "Predvolená rýchlosť pohybu",
+ "detection_delay": "Oneskorenie detekcie",
+ "maximum_range": "Maximálny rozsah",
+ "minimum_range": "Minimálny rozsah",
+ "detection_interval": "Interval detekcie",
+ "local_dimming_down_speed": "Rýchlosť lokálneho stmievania",
+ "remote_dimming_down_speed": "Rýchlosť diaľkového stmievania",
+ "local_dimming_up_speed": "Rýchlosť lokálneho rozsvecovania",
+ "remote_dimming_up_speed": "Rýchlosť diaľkového rozsvecovania",
+ "display_activity_timeout": "Časový limit aktivity displeja",
+ "display_brightness": "Jas displeja",
+ "display_inactive_brightness": "Neaktívny jas displeja",
+ "double_tap_down_level": "Dvakrát klepnite o úroveň nižšie",
+ "double_tap_up_level": "Dvakrát klepnite na vyššiu úroveň",
+ "exercise_start_time": "Čas začiatku cvičenia",
+ "external_sensor_correction": "Korekcia externého snímača",
+ "external_temperature_sensor": "Vonkajší snímač teploty",
+ "fading_time": "Čas blednutia",
+ "fallback_timeout": "Časový limit pre spätný chod",
+ "filter_life_time": "Životnosť filtra",
+ "fixed_load_demand": "Požiadavka na pevné zaťaženie",
+ "frost_protection_temperature": "Teplota protimrazovej ochrany",
+ "irrigation_cycles": "Zavlažovacie cykly",
+ "irrigation_interval": "Interval zavlažovania",
+ "irrigation_target": "Cieľ zavlažovania",
+ "led_color_when_off_name": "Predvolene všetky vypnuté farby LED",
+ "led_color_when_on_name": "Predvolená farba všetkých LED",
+ "led_intensity_when_off_name": "Predvolená intenzita vypnutia všetkých LED",
+ "led_intensity_when_on_name": "Predvolená intenzita všetkých LED diód",
+ "load_level_indicator_timeout": "Časový limit indikátora úrovne zaťaženia",
+ "load_room_mean": "Priemer batožinového priestoru",
+ "local_temperature_offset": "Miestny teplotný posun",
+ "max_heat_setpoint_limit": "Limit maximálnej nastavenej hodnoty tepla",
+ "maximum_load_dimming_level": "Maximálna úroveň stmievania záťaže",
+ "min_heat_setpoint_limit": "Limit minimálnej žiadanej hodnoty tepla",
+ "minimum_load_dimming_level": "Minimálna úroveň stmievania záťaže",
+ "off_led_intensity": "Vypnutá intenzita LED",
+ "off_transition_time": "Čas vypnutia prechodu",
+ "on_led_intensity": "Zapnutá intenzita LED",
+ "on_level": "Na úrovni",
+ "on_off_transition_time": "Čas prechodu zapnutý/vypnutý",
+ "on_transition_time": "Čas prechodu",
+ "open_window_detection_guard_period_name": "Obdobie stráženia detekcie otvoreného okna",
+ "open_window_detection_threshold": "Prahová hodnota detekcie otvoreného okna",
+ "open_window_event_duration": "Trvanie udalosti otvoreného okna",
+ "portion_weight": "Hmotnosť porcie",
+ "presence_detection_timeout": "Časový limit detekcie prítomnosti vypršal",
+ "presence_sensitivity": "Citlivosť na prítomnosť",
+ "fade_time": "Čas vyblednutia",
+ "quick_start_time": "Čas rýchleho štartu",
+ "ramp_rate_off_to_on_local_name": "Rýchlosť lokálneho nábehu z vypnutého zapnuté",
+ "ramp_rate_off_to_on_remote_name": "Rýchlosť diaľkového nábehu z vypnutého na zapnutý",
+ "ramp_rate_on_to_off_local_name": "Rýchlosť lokálneho prechodu zo zapnutého na vypnuté",
+ "ramp_rate_on_to_off_remote_name": "Rýchlosť diaľkového prechodu zo zapnutého na vypnuté",
+ "regulation_setpoint_offset": "Kompenzácia požadovanej regulácie",
+ "regulator_set_point": "Nastavená hodnota regulátora",
+ "serving_to_dispense": "Podávanie na dávkovanie",
+ "siren_time": "Čas sirény",
+ "start_up_color_temperature": "Teplota farby pri spustení",
+ "start_up_current_level": "Úroveň nábehového prúdu",
+ "start_up_default_dimming_level": "Predvolená úroveň stmievania pri spustení",
+ "timer_duration": "Trvanie časovača",
+ "timer_time_left": "Zostávajúci čas časovača",
+ "transmit_power": "Vysielací výkon",
+ "valve_closing_degree": "Stupeň zatvorenia ventilu",
+ "irrigation_time": "Čas zavlažovania 2",
+ "valve_opening_degree": "Stupeň otvorenia ventilu",
+ "adaptation_run_command": "Príkaz na spustenie adaptácie",
+ "backlight_mode": "Režim podsvietenia",
+ "click_mode": "Režim kliknutia",
+ "control_type": "Typ ovládania",
+ "decoupled_mode": "Odpojený režim",
+ "default_siren_level": "Predvolená úroveň sirény",
+ "default_siren_tone": "Predvolený tón sirény",
+ "default_strobe": "Predvolený stroboskop",
+ "default_strobe_level": "Predvolená úroveň stroboskopu",
+ "detection_distance": "Detekčná vzdialenosť",
+ "detection_sensitivity": "Citlivosť detekcie",
+ "exercise_day_of_week_name": "Deň cvičenia v týždni",
+ "external_temperature_sensor_type": "Typ externého snímača teploty",
+ "external_trigger_mode": "Režim externého spúšťania",
+ "heat_transfer_medium": "Médium na prenos tepla",
+ "heating_emitter_type": "Typ vykurovacieho žiariča",
+ "heating_fuel": "Palivo na vykurovanie",
+ "non_neutral_output": "Neneutrálny výstup",
+ "irrigation_mode": "Režim zavlažovania",
+ "keypad_lockout": "Uzamknutie klávesnice",
+ "dimming_mode": "Režim stmievania",
+ "led_scaling_mode": "Režim mierky LED",
+ "local_temperature_source": "Miestny zdroj teploty",
+ "monitoring_mode": "Režim monitorovania",
+ "off_led_color": "Vypnutá farba LED",
+ "on_led_color": "Zapnutá farba LED",
+ "operation_mode": "Prevádzkový režim",
+ "output_mode": "Výstupný režim",
+ "power_on_state": "Stav zapnutia",
+ "regulator_period": "Regulačné obdobie",
+ "sensor_mode": "Režim snímača",
+ "setpoint_response_time": "Nastavená doba odozvy",
+ "smart_fan_led_display_levels_name": "Inteligentné LED zobrazenie úrovní ventilátora",
+ "start_up_behavior": "Správanie pri spustení",
+ "switch_mode": "Prepínací režim",
+ "switch_type": "Typ prepínača",
+ "thermostat_application": "Aplikácia termostatu",
+ "thermostat_mode": "Režim termostatu",
+ "valve_orientation": "Orientácia ventilu",
+ "viewing_direction": "Smer pohľadu",
+ "weather_delay": "Meškanie počasia",
+ "curtain_mode": "Režim závesu",
+ "ac_frequency": "AC frekvencia",
+ "adaptation_run_status": "Stav adaptačného behu",
+ "in_progress": "Prebieha",
+ "run_successful": "Spustenie úspešné",
+ "valve_characteristic_lost": "Strata charakteristiky ventilu",
+ "analog_input": "Analógový vstup",
+ "control_status": "Stav kontroly",
+ "device_run_time": "Doba chodu zariadenia",
+ "device_temperature": "Teplota zariadenia",
+ "target_distance": "Cieľová vzdialenosť",
+ "filter_run_time": "Čas spustenia filtra",
+ "formaldehyde_concentration": "Koncentrácia formaldehydu",
+ "hooks_state": "Stav hooks",
+ "hvac_action": "HVAC akcia",
+ "instantaneous_demand": "Okamžitý dopyt",
+ "irrigation_duration": "Trvanie zavlažovania 1",
+ "last_irrigation_duration": "Trvanie posledného zavlažovania",
+ "irrigation_end_time": "Čas ukončenia zavlažovania",
+ "irrigation_start_time": "Čas začiatku zavlažovania",
+ "last_feeding_size": "Veľkosť posledného kŕmenia",
+ "last_feeding_source": "Posledný zdroj kŕmenia",
+ "last_illumination_state": "Posledný stav osvetlenia",
+ "last_valve_open_duration": "Trvanie posledného otvorenia ventilu",
+ "leaf_wetness": "Vlhkosť listov",
+ "load_estimate": "Odhad zaťaženia",
+ "floor_temperature": "Teplota podlahy",
+ "lqi": "LQI",
+ "motion_distance": "Vzdialenosť pohybu",
+ "motor_stepcount": "Počet krokov motora",
+ "open_window_detected": "Zistené otvorené okno",
+ "overheat_protection": "Ochrana proti prehriatiu",
+ "pi_heating_demand": "Pi dopyt po vykurovaní",
+ "portions_dispensed_today": "Porcie vydávané dnes",
+ "pre_heat_time": "Čas predohrevu",
+ "rssi": "RSSI",
+ "self_test_result": "Výsledok autotestu",
+ "setpoint_change_source": "Zdroj zmeny nastavenej hodnoty",
+ "smoke_density": "Hustota dymu",
+ "software_error": "Chyba softvéru",
+ "good": "Dobré",
+ "critical_low_battery": "Kriticky slabá batéria",
+ "encoder_jammed": "Enkóder zaseknutý",
+ "invalid_clock_information": "Neplatné informácie o hodinách",
+ "invalid_internal_communication": "Neplatná interná komunikácia",
+ "low_battery": "Nízky stav batérie",
+ "motor_error": "Chyba motora",
+ "non_volatile_memory_error": "Chyba permanentnej pamäte",
+ "radio_communication_error": "Chyba rádiovej komunikácie",
+ "side_pcb_sensor_error": "Chyba bočného snímača PCB",
+ "top_pcb_sensor_error": "Chyba horného snímača PCB",
+ "unknown_hw_error": "Neznáma HW chyba",
+ "soil_moisture": "Vlhkosť pôdy",
+ "summation_delivered": "Zhrnutie doručené",
+ "summation_received": "Prijatý súhrn",
+ "tier_summation_delivered": "Dodaný súčet úrovne 6",
+ "timer_state": "Stav časovača",
+ "weight_dispensed_today": "Dnes odobratá váha",
+ "window_covering_type": "Typ okennej krytiny",
+ "adaptation_run_enabled": "Povolený adaptačný beh",
+ "aux_switch_scenes": "Scény pomocného spínača",
+ "binding_off_to_on_sync_level_name": "Väzba vypnuté na zapnutú úroveň synchronizácie",
+ "buzzer_manual_alarm": "Bzučiak manuálny alarm",
+ "buzzer_manual_mute": "Manuálne stlmenie bzučiaka",
+ "detach_relay": "Odpojenie relé",
+ "disable_clear_notifications_double_tap_name": "Zakázanie konfigurácie 2x ťuknite na položku pre vymazanie oznámení",
+ "disable_led": "Vypnutie LED",
+ "double_tap_down_enabled": "Dvojité klepnutie nadol je povolené",
+ "double_tap_up_enabled": "Dvojité klepnutie nahor je povolené",
+ "double_up_full_name": "Dvojité klepnutie - plné",
+ "enable_siren": "Povoliť sirénu",
+ "external_window_sensor": "Externý snímač okna",
+ "distance_switch": "Prepínač vzdialenosti",
+ "firmware_progress_led": "Kontrolka priebehu firmvéru",
+ "heartbeat_indicator": "Indikátor srdcového tepu",
+ "heat_available": "Dostupné teplo",
+ "hooks_locked": "Hooks uzamknuté",
+ "invert_switch": "Invertovať prepínač",
+ "inverted": "Invertovaný",
+ "led_indicator": "LED indikátor",
+ "linkage_alarm": "Alarm prepojenia",
+ "local_protection": "Lokálna ochrana",
+ "mounting_mode": "Režim montáže",
+ "only_led_mode": "Režim iba 1 LED",
+ "open_window": "Otvoriť okno",
+ "power_outage_memory": "Pamäť pri výpadku napájania",
+ "prioritize_external_temperature_sensor": "Uprednostnenie externého snímača teploty",
+ "relay_click_in_on_off_mode_name": "Zakázať kliknutie relé v režime zapnutia vypnutia",
+ "smart_bulb_mode": "Režim inteligentnej žiarovky",
+ "smart_fan_mode": "Režim inteligentného ventilátora",
+ "led_trigger_indicator": "LED indikátor spustenia",
+ "turbo_mode": "Turbo režim",
+ "use_internal_window_detection": "Použitie internej detekcie okien",
+ "use_load_balancing": "Používanie vyrovnávania záťaže",
+ "valve_detection": "Detekcia ventilu",
+ "window_detection": "Detekcia okna",
+ "invert_window_detection": "Invertovať detekciu okna",
+ "available_tones": "Dostupné tóny",
"device_trackers": "Sledovače zariadení",
"gps_accuracy": "Presnosť GPS",
- "paused": "Pozastavený",
- "finishes_at": "Končí o",
- "remaining": "Zostávajúce",
"last_reset": "Posledný reset",
"possible_states": "Možné stavy",
"state_class": "Trieda stavu",
@@ -2036,82 +2271,12 @@
"sound_pressure": "Akustický tlak",
"speed": "Rýchlosť",
"sulphur_dioxide": "Oxid siričitý",
+ "timestamp": "Časová pečiatka",
"vocs": "VOCs",
"volume_flow_rate": "Objemový prietok",
"stored_volume": "Uložený objem",
"weight": "Hmotnosť",
- "cool": "Chladenie",
- "fan_only": "Iba ventilátor",
- "heat_cool": "Vykurovanie / Chladenie",
- "aux_heat": "Prídavné kúrenie",
- "current_humidity": "Aktuálna vlhkosť",
- "current_temperature": "Current Temperature",
- "fan_mode": "Režim ventilátora",
- "diffuse": "Difúzny",
- "middle": "Stredný",
- "top": "Hore",
- "current_action": "Aktuálna akcia",
- "defrosting": "Rozmrazovanie",
- "heating": "Vykurovanie",
- "preheating": "Predohrev",
- "max_target_humidity": "Maximálna cieľová vlhkosť",
- "max_target_temperature": "Maximálna cieľová teplota",
- "min_target_humidity": "Minimálna cieľová vlhkosť",
- "min_target_temperature": "Minimálna cieľová teplota",
- "boost": "Turbo",
- "comfort": "Komfort",
- "eco": "Eco",
- "sleep": "Spánok",
- "presets": "Predvoľby",
- "horizontal_swing_mode": "Režim horizontálneho výkyvu",
- "swing_mode": "Režim výkyvu",
- "both": "Obidva",
- "horizontal": "Horizontálny",
- "upper_target_temperature": "Horná cieľová teplota",
- "lower_target_temperature": "Dolná cieľová teplota",
- "target_temperature_step": "Cieľový teplotný krok",
- "step": "Krok",
- "not_charging": "Nenabíja sa",
- "disconnected": "Odpojený",
- "connected": "Pripojený",
- "hot": "Horúci",
- "no_light": "Bez svetla",
- "light_detected": "Svetlo zistené",
- "locked": "Zamknutý",
- "unlocked": "Odomknutý",
- "not_moving": "Nehýbe sa",
- "unplugged": "Odpojené",
- "not_running": "Nie je spustené",
- "safe": "Zabezpečené",
- "unsafe": "Nezabezpečené",
- "tampering_detected": "Zistená manipulácia",
- "automatic": "Automaticky",
- "box": "Box",
- "above_horizon": "Nad horizontom",
- "below_horizon": "Za horizontom",
- "buffering": "Načítanie",
- "playing": "Prehrávanie",
- "standby": "Pohotovostný režim",
- "app_id": "ID aplikácie",
- "local_accessible_entity_picture": "Obrázok miestneho prístupného subjektu",
- "group_members": "Členovia skupiny",
- "muted": "Stlmené",
- "album_artist": "Interpret albumu",
- "content_id": "ID obsahu",
- "content_type": "Druh obsahu",
- "channels": "Kanály",
- "position_updated": "Pozícia bola aktualizovaná",
- "series": "Séria",
- "all": "Všetko",
- "one": "Jeden",
- "available_sound_modes": "Dostupné zvukové režimy",
- "available_sources": "Dostupné zdroje",
- "receiver": "Prijímač",
- "speaker": "Reproduktor",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Spravované cez používateľské rozhranie",
"color_mode": "Color Mode",
"brightness_only": "Iba jas",
"hs": "HS",
@@ -2127,13 +2292,36 @@
"minimum_color_temperature_kelvin": "Minimálna teplota farby (Kelvin)",
"minimum_color_temperature_mireds": "Minimálna teplota farby (mrd)",
"available_color_modes": "Dostupné farebné režimy",
- "available_tones": "Dostupné tóny",
"docked": "V doku",
"mowing": "Kosenie",
+ "paused": "Pozastavený",
"returning": "Vracia sa",
+ "max_length": "Max. dĺžka",
+ "min_length": "Min. dĺžka",
+ "pattern": "Vzor",
+ "running_automations": "Spustené automatizácie",
+ "max_running_scripts": "Maximálny počet spustených skriptov",
+ "run_mode": "Režim spustenia",
+ "parallel": "Paralelne",
+ "queued": "Fronta",
+ "single": "Raz",
+ "auto_update": "Automatická aktualizácia",
+ "installed_version": "Inštalovaná verzia",
+ "latest_version": "Posledná verzia",
+ "release_summary": "Súhrn vydania",
+ "release_url": "URL vydania",
+ "skipped_version": "Vynechaná verzia",
+ "firmware": "Firmvér",
"oscillating": "Oscilujúce",
"speed_step": "Rýchlostný krok",
"available_preset_modes": "Dostupné prednastavené režimy",
+ "minute": "Minúta",
+ "second": "Sekunda",
+ "next_event": "Ďalšia udalosť",
+ "step": "Krok",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Jasno, v noci",
"cloudy": "Zamračené",
"exceptional": "Výnimočné",
@@ -2156,121 +2344,150 @@
"uv_index": "UV index",
"wind_bearing": "Veterné ložisko",
"wind_gust_speed": "Rýchlosť nárazového vetra",
- "auto_update": "Automatická aktualizácia",
- "in_progress": "Prebieha",
- "installed_version": "Inštalovaná verzia",
- "latest_version": "Posledná verzia",
- "release_summary": "Súhrn vydania",
- "release_url": "URL vydania",
- "skipped_version": "Vynechaná verzia",
- "firmware": "Firmvér",
- "armed_away": "Zabezpečený v neprítomnosti",
- "armed_custom_bypass": "Zakódované prispôsobené vylúčenie",
- "armed_home": "Zabezpečený doma",
- "armed_night": "Zabezpečený v noci",
- "armed_vacation": "Zabezpečenie pozastavené",
- "disarming": "Deaktivuje sa",
- "triggered": "Spustený",
- "changed_by": "Zmenil",
- "code_for_arming": "Kód pre zabezpečenie",
- "not_required": "Nevyžaduje sa",
- "code_format": "Formát kódu",
"identify": "Identifikovať",
+ "cleaning": "Čistí",
"streaming": "Streamovanie",
"access_token": "Prístupový token",
"stream_type": "Typ streamu",
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Posledné skenovanie podľa ID zariadenia",
+ "tag_id": "ID značky",
+ "automatic": "Automaticky",
+ "box": "Box",
+ "jammed": "Zaseknutý",
+ "locked": "Zamknutý",
+ "locking": "Zamknutie",
+ "unlocked": "Odomknutý",
+ "unlocking": "Odblokovanie",
+ "changed_by": "Zmenil",
+ "code_format": "Formát kódu",
+ "members": "Členovia",
+ "listening": "Počúvanie",
+ "processing": "Spracovanie",
+ "responding": "Odpovedanie",
+ "id": "ID",
+ "max_running_automations": "Maximálny počet spustených automatizácií",
+ "cool": "Chladenie",
+ "fan_only": "Iba ventilátor",
+ "heat_cool": "Vykurovanie / Chladenie",
+ "aux_heat": "Prídavné kúrenie",
+ "current_humidity": "Aktuálna vlhkosť",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Režim ventilátora",
+ "diffuse": "Difúzny",
+ "middle": "Stredný",
+ "top": "Hore",
+ "current_action": "Aktuálna akcia",
+ "defrosting": "Rozmrazovanie",
+ "heating": "Vykurovanie",
+ "preheating": "Predohrev",
+ "max_target_humidity": "Maximálna cieľová vlhkosť",
+ "max_target_temperature": "Maximálna cieľová teplota",
+ "min_target_humidity": "Minimálna cieľová vlhkosť",
+ "min_target_temperature": "Minimálna cieľová teplota",
+ "boost": "Turbo",
+ "comfort": "Komfort",
+ "eco": "Eco",
+ "sleep": "Spánok",
+ "presets": "Predvoľby",
+ "horizontal_swing_mode": "Režim horizontálneho výkyvu",
+ "swing_mode": "Režim výkyvu",
+ "both": "Obidva",
+ "horizontal": "Horizontálny",
+ "upper_target_temperature": "Horná cieľová teplota",
+ "lower_target_temperature": "Dolná cieľová teplota",
+ "target_temperature_step": "Cieľový teplotný krok",
+ "stopped": "Zastavené",
+ "garage": "Garáž",
+ "not_charging": "Nenabíja sa",
+ "disconnected": "Odpojený",
+ "connected": "Pripojený",
+ "hot": "Horúci",
+ "no_light": "Bez svetla",
+ "light_detected": "Svetlo zistené",
+ "not_moving": "Nehýbe sa",
+ "unplugged": "Odpojené",
+ "not_running": "Nie je spustené",
+ "safe": "Zabezpečené",
+ "unsafe": "Nezabezpečené",
+ "tampering_detected": "Zistená manipulácia",
+ "buffering": "Načítanie",
+ "playing": "Prehrávanie",
+ "standby": "Pohotovostný režim",
+ "app_id": "ID aplikácie",
+ "local_accessible_entity_picture": "Obrázok miestneho prístupného subjektu",
+ "group_members": "Členovia skupiny",
+ "muted": "Stlmené",
+ "album_artist": "Interpret albumu",
+ "content_id": "ID obsahu",
+ "content_type": "Druh obsahu",
+ "channels": "Kanály",
+ "position_updated": "Pozícia bola aktualizovaná",
+ "series": "Séria",
+ "all": "Všetko",
+ "one": "Jeden",
+ "available_sound_modes": "Dostupné zvukové režimy",
+ "available_sources": "Dostupné zdroje",
+ "receiver": "Prijímač",
+ "speaker": "Reproduktor",
+ "tv": "TV",
"end_time": "Čas ukončenia",
"start_time": "Doba spustenia",
- "next_event": "Ďalšia udalosť",
- "garage": "Garáž",
"event_type": "Typ udalosti",
"event_types": "Typy udalostí",
"doorbell": "Domový zvonček",
- "running_automations": "Spustené automatizácie",
- "id": "ID",
- "max_running_automations": "Maximálny počet spustených automatizácií",
- "run_mode": "Režim spustenia",
- "parallel": "Paralelne",
- "queued": "Fronta",
- "single": "Raz",
- "cleaning": "Čistí",
- "listening": "Počúvanie",
- "processing": "Spracovanie",
- "responding": "Odpovedanie",
- "max_running_scripts": "Maximálny počet spustených skriptov",
- "jammed": "Zaseknutý",
- "locking": "Zamknutie",
- "unlocking": "Odblokovanie",
- "members": "Členovia",
- "known_hosts": "Známi hostitelia",
- "google_cast_configuration": "Konfigurácia Google Cast",
- "confirm_description": "Chcete nastaviť {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Účet je už nakonfigurovaný",
- "abort_already_in_progress": "Konfigurácia už prebieha",
- "failed_to_connect": "Nepodarilo sa pripojiť",
- "invalid_access_token": "Neplatný prístupový token",
- "invalid_authentication": "Neplatné overenie",
- "received_invalid_token_data": "Prijaté neplatné údaje tokenu.",
- "abort_oauth_failed": "Chyba pri získavaní prístupového tokenu.",
- "timeout_resolving_oauth_token": "Časový limit na vyriešenie tokenu OAuth.",
- "abort_oauth_unauthorized": "Chyba autorizácie OAuth pri získavaní prístupového tokenu.",
- "re_authentication_was_successful": "Opätovné overenie bolo úspešné",
- "unexpected_error": "Neočakávaná chyba",
- "successfully_authenticated": "Úspešne overené",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Vyberte metódu overenia",
- "authentication_expired_for_name": "Vypršala platnosť overenia pre {name}",
+ "above_horizon": "Nad horizontom",
+ "below_horizon": "Za horizontom",
+ "armed_away": "Zabezpečený v neprítomnosti",
+ "armed_custom_bypass": "Zakódované prispôsobené vylúčenie",
+ "armed_home": "Zabezpečený doma",
+ "armed_night": "Zabezpečený v noci",
+ "armed_vacation": "Zabezpečenie pozastavené",
+ "disarming": "Deaktivuje sa",
+ "triggered": "Spustený",
+ "code_for_arming": "Kód pre zabezpečenie",
+ "not_required": "Nevyžaduje sa",
+ "finishes_at": "Končí o",
+ "remaining": "Zostávajúce",
"device_is_already_configured": "Zariadenie už je nakonfigurované",
+ "failed_to_connect": "Nepodarilo sa pripojiť",
"abort_no_devices_found": "V sieti sa nenašli žiadne zariadenia",
+ "re_authentication_was_successful": "Opätovné overenie bolo úspešné",
"re_configuration_was_successful": "Rekonfigurácia bola úspešná",
"connection_error_error": "Chyba pripojenia: {error}",
"unable_to_authenticate_error": "Nie je možné overiť: {error}",
"camera_stream_authentication_failed": "Overenie streamu kamery zlyhalo",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "Povolenie živého náhľadu kamery",
- "username": "Používateľské meno",
+ "username": "Username",
"camera_auth_confirm_description": "Prihlasovacie údaje k účtu fotoaparátu vstupného zariadenia.",
"set_camera_account_credentials": "Nastavte prihlasovacie údaje účtu fotoaparátu",
"authenticate": "Overenie",
+ "authentication_expired_for_name": "Vypršala platnosť overenia pre {name}",
"host": "Host",
"reconfigure_description": "Aktualizácia konfigurácie zariadenia {mac}",
"reconfigure_tplink_entry": "Rekonfigurácia položky TPLink",
"abort_single_instance_allowed": "Už je nakonfigurovaný. Možná je len jedna konfigurácia.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Chcete začať nastavovať?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Chyba pri komunikácii s rozhraním SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Nepodporovaný typ Switchbot.",
+ "unexpected_error": "Neočakávaná chyba",
+ "authentication_failed_error_detail": "Overenie zlyhalo: {error_detail}",
+ "error_encryption_key_invalid": "ID kľúča alebo šifrovací kľúč je neplatný",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Chcete nastaviť {name}?",
+ "switchbot_account_recommended": "Účet SwitchBot (odporúčané)",
+ "enter_encryption_key_manually": "Zadajte šifrovací kľúč ručne",
+ "encryption_key": "Šifrovací kľúč",
+ "key_id": "ID kľúča",
+ "password_description": "Heslo na ochranu zálohy.",
+ "mac_address": "MAC adresa",
"service_is_already_configured": "Služba už je nakonfigurovaná",
- "invalid_ics_file": "Neplatný súbor .ics",
- "calendar_name": "Názov kalendára",
- "starting_data": "Počiatočné údaje",
+ "abort_already_in_progress": "Konfigurácia už prebieha",
"abort_invalid_host": "Neplatný názov hostiteľa alebo IP adresa",
"device_not_supported": "Zariadenie nie je podporované",
+ "invalid_authentication": "Neplatné overenie",
"name_model_at_host": "{name} ({model} na {host})",
"authenticate_to_the_device": "Overenie zariadenia",
"finish_title": "Vyberte meno zariadenia",
@@ -2278,66 +2495,27 @@
"yes_do_it": "Áno, urobte to.",
"unlock_the_device_optional": "Odomknite zariadenie (voliteľné)",
"connect_to_the_device": "Pripojte sa k zariadeniu",
- "abort_missing_credentials": "Integrácia si vyžaduje poverenia aplikácie.",
- "timeout_establishing_connection": "Časový limit na nadviazanie spojenia",
- "link_google_account": "Prepojiť účet Google",
- "path_is_not_allowed": "Cesta nie je povolená",
- "path_is_not_valid": "Cesta nie je platná",
- "path_to_file": "Cesta k súboru",
- "api_key": "API kľúč",
- "configure_daikin_ac": "Konfigurácia Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adaptér",
- "multiple_adapters_description": "Vyberte adaptér Bluetooth, ktorý chcete nastaviť",
- "arm_away_action": "Zabezpečenie akcie mimo domu",
- "arm_custom_bypass_action": "Vlastná akcia obídenia zabezpečenia",
- "arm_home_action": "Zabezpečenie akcie domu",
- "arm_night_action": "Zabezpečenie nočnej akcie",
- "arm_vacation_action": "Zabezpečenie akcie dovolenka",
- "code_arm_required": "Je vyžadovaný kód pre zabezpečenie",
- "disarm_action": "Akcia odzabezpečenia",
- "trigger_action": "Spúšťacia akcia",
- "value_template": "Šablóna hodnoty",
- "template_alarm_control_panel": "Šablóna ovládacieho panela alarmu",
- "device_class": "Trieda zariadenia",
- "state_template": "Stavová šablóna",
- "template_binary_sensor": "Šablóna binárneho snímača",
- "actions_on_press": "Akcie v tlači",
- "template_button": "Tlačidlo šablóny",
- "verify_ssl_certificate": "Overiť SSL certifikát",
- "template_image": "Obrázok šablóny",
- "actions_on_set_value": "Akcie na nastavenú hodnotu",
- "step_value": "Hodnota kroku",
- "template_number": "Číslo šablóny",
- "available_options": "Dostupné možnosti",
- "actions_on_select": "Akcie na výber",
- "template_select": "Výber šablóny",
- "template_sensor": "Šablónový snímač",
- "actions_on_turn_off": "Akcie pri vypnutí",
- "actions_on_turn_on": "Akcie pri zapnutí",
- "template_switch": "Prepínač šablóny",
- "template_a_button": "Šablóna tlačidla",
- "template_an_image": "Šablóna obrázka",
- "template_a_number": "Šablóna čísla",
- "template_a_select": "Šablóna a výber",
- "template_a_sensor": "Šablóna snímača",
- "template_a_switch": "Šablóna prepínača",
- "template_helper": "Pomocník šablóny",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Účet je už nakonfigurovaný",
+ "invalid_access_token": "Neplatný prístupový token",
+ "received_invalid_token_data": "Prijaté neplatné údaje tokenu.",
+ "abort_oauth_failed": "Chyba pri získavaní prístupového tokenu.",
+ "timeout_resolving_oauth_token": "Časový limit na vyriešenie tokenu OAuth.",
+ "abort_oauth_unauthorized": "Chyba autorizácie OAuth pri získavaní prístupového tokenu.",
+ "successfully_authenticated": "Úspešne overené",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Vyberte metódu overenia",
+ "two_factor_code": "Dvojfaktorový kód",
+ "two_factor_authentication": "Dvojfaktorová autentifikácia",
+ "reconfigure_ring_integration": "Prekonfigurujte integráciu zvonenia",
+ "sign_in_with_ring_account": "Prihlásenie pomocou konta Ring",
+ "abort_alternative_integration": "Zariadenie je lepšie podporované inou integráciou",
+ "abort_incomplete_config": "V konfigurácii chýba povinná premenná",
+ "manual_description": "URL adresa k XML súboru popisu zariadenia",
+ "manual_title": "Manuálne pripojenie zariadenia DLNA DMR",
+ "discovered_dlna_dmr_devices": "Objavené zariadenia DLNA DMR",
+ "broadcast_address": "Adresa broadcast",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Neúspešné získanie informácií pre doplnok {addon}.",
"abort_addon_install_failed": "Nepodarilo sa nainštalovať doplnok {addon}.",
"abort_addon_start_failed": "Nepodarilo sa spustiť doplnok {addon}.",
@@ -2364,48 +2542,47 @@
"starting_add_on": "Spúšťa sa doplnok",
"menu_options_addon": "Použite oficiálny doplnok {addon}.",
"menu_options_broker": "Ručné zadanie údajov o pripojení sprostredkovateľa MQTT",
- "bridge_is_already_configured": "Bridge je už nakonfigurovaný",
- "no_deconz_bridges_discovered": "Nenašli sa žiadne deCONZ bridge",
- "abort_no_hardware_available": "Žiadny rádiový hardvér pripojený k deCONZ",
- "abort_updated_instance": "Aktualizovaná inštancia deCONZ s novou adresou hostiteľa",
- "error_linking_not_possible": "Nepodarilo sa prepojiť s bránou",
- "error_no_key": "Nepodarilo sa získať kľúč API",
- "link_with_deconz": "Prepojenie s deCONZ",
- "select_discovered_deconz_gateway": "Vyberte objavenú bránu deCONZ",
- "pin_code": "PIN kód",
- "discovered_android_tv": "Objavený Android TV",
- "abort_mdns_missing_mac": "Chýba MAC adresa vo vlastnostiach MDNS.",
- "abort_mqtt_missing_api": "Chýbajúci port API vo vlastnostiach MQTT.",
- "abort_mqtt_missing_ip": "Chýbajúca IP adresa vo vlastnostiach MQTT.",
- "abort_mqtt_missing_mac": "Chýbajúca adresa MAC vo vlastnostiach MQTT.",
- "missing_mqtt_payload": "Chýba MQTT Payload.",
- "action_received": "Akcia prijatá",
- "discovered_esphome_node": "Objavený uzol ESPHome",
- "encryption_key": "Šifrovací kľúč",
- "no_port_for_endpoint": "Žiadny port pre koncový bod",
- "abort_no_services": "Na koncovom bode sa nenašli žiadne služby",
- "discovered_wyoming_service": "Objavil službu Wyoming",
- "abort_alternative_integration": "Zariadenie je lepšie podporované inou integráciou",
- "abort_incomplete_config": "V konfigurácii chýba povinná premenná",
- "manual_description": "URL adresa k XML súboru popisu zariadenia",
- "manual_title": "Manuálne pripojenie zariadenia DLNA DMR",
- "discovered_dlna_dmr_devices": "Objavené zariadenia DLNA DMR",
+ "api_key": "API kľúč",
+ "configure_daikin_ac": "Konfigurácia Daikin AC",
+ "cannot_connect_details_error_detail": "Nemôže sa pripojiť. Podrobnosti: {error_detail}",
+ "unknown_details_error_detail": "Neznámy. Podrobnosti: {error_detail}",
+ "uses_an_ssl_certificate": "Používa SSL certifikát",
+ "verify_ssl_certificate": "Overiť SSL certifikát",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adaptér",
+ "multiple_adapters_description": "Vyberte adaptér Bluetooth, ktorý chcete nastaviť",
"api_error_occurred": "Vyskytla sa chyba API",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Povoliť HTTPS",
- "broadcast_address": "Adresa broadcast",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC adresa",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologický ústav",
- "ipv_is_not_supported": "IPv6 nie je podporované",
- "error_custom_port_not_supported": "Zariadenie Gen1 nepodporuje vlastný port.",
- "two_factor_code": "Dvojfaktorový kód",
- "two_factor_authentication": "Dvojfaktorová autentifikácia",
- "reconfigure_ring_integration": "Prekonfigurujte integráciu zvonenia",
- "sign_in_with_ring_account": "Prihlásenie pomocou konta Ring",
+ "timeout_establishing_connection": "Časový limit na nadviazanie spojenia",
+ "link_google_account": "Prepojenie konta Google",
+ "path_is_not_allowed": "Cesta nie je povolená",
+ "path_is_not_valid": "Cesta nie je platná",
+ "path_to_file": "Cesta k súboru",
+ "pin_code": "PIN kód",
+ "discovered_android_tv": "Objavený Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "Všetky entity",
"hide_members": "Skryť členov",
"create_group": "Vytvoriť skupinu",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignorovať nečíselné údaje",
"data_round_digits": "Zaokrúhlenie hodnoty na počet desatinných miest",
"type": "Typ",
@@ -2413,29 +2590,202 @@
"button_group": "Skupina tlačidiel",
"cover_group": "Skupina roliet",
"event_group": "Skupina udalostí",
- "fan_group": "Skupina ventilátor",
- "light_group": "Skupina osvetlenie",
"lock_group": "Skupina zámok",
"media_player_group": "Skupina Media player",
"notify_group": "Upozorniť skupinu",
"sensor_group": "Skupina snímača",
"switch_group": "Skupina prepínač",
- "abort_api_error": "Chyba pri komunikácii s rozhraním SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Nepodporovaný typ Switchbot.",
- "authentication_failed_error_detail": "Overenie zlyhalo: {error_detail}",
- "error_encryption_key_invalid": "ID kľúča alebo šifrovací kľúč je neplatný",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "Účet SwitchBot (odporúčané)",
- "enter_encryption_key_manually": "Zadajte šifrovací kľúč ručne",
- "key_id": "ID kľúča",
- "password_description": "Heslo na ochranu zálohy.",
- "device_address": "Adresa zariadenia",
- "cannot_connect_details_error_detail": "Nemôže sa pripojiť. Podrobnosti: {error_detail}",
- "unknown_details_error_detail": "Neznámy. Podrobnosti: {error_detail}",
- "uses_an_ssl_certificate": "Používa SSL certifikát",
+ "known_hosts": "Známi hostitelia",
+ "google_cast_configuration": "Konfigurácia Google Cast",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Chýba MAC adresa vo vlastnostiach MDNS.",
+ "abort_mqtt_missing_api": "Chýbajúci port API vo vlastnostiach MQTT.",
+ "abort_mqtt_missing_ip": "Chýbajúca IP adresa vo vlastnostiach MQTT.",
+ "abort_mqtt_missing_mac": "Chýbajúca adresa MAC vo vlastnostiach MQTT.",
+ "missing_mqtt_payload": "Chýba MQTT Payload.",
+ "action_received": "Akcia prijatá",
+ "discovered_esphome_node": "Objavený uzol ESPHome",
+ "bridge_is_already_configured": "Bridge je už nakonfigurovaný",
+ "no_deconz_bridges_discovered": "Nenašli sa žiadne deCONZ bridge",
+ "abort_no_hardware_available": "Žiadny rádiový hardvér pripojený k deCONZ",
+ "abort_updated_instance": "Aktualizovaná inštancia deCONZ s novou adresou hostiteľa",
+ "error_linking_not_possible": "Nepodarilo sa prepojiť s bránou",
+ "error_no_key": "Nepodarilo sa získať kľúč API",
+ "link_with_deconz": "Prepojenie s deCONZ",
+ "select_discovered_deconz_gateway": "Vyberte objavenú bránu deCONZ",
+ "abort_missing_credentials": "Integrácia si vyžaduje poverenia aplikácie.",
+ "no_port_for_endpoint": "Žiadny port pre koncový bod",
+ "abort_no_services": "Na koncovom bode sa nenašli žiadne služby",
+ "discovered_wyoming_service": "Objavil službu Wyoming",
+ "ipv_is_not_supported": "IPv6 nie je podporované",
+ "error_custom_port_not_supported": "Zariadenie Gen1 nepodporuje vlastný port.",
+ "arm_away_action": "Zabezpečenie akcie mimo domu",
+ "arm_custom_bypass_action": "Vlastná akcia obídenia zabezpečenia",
+ "arm_home_action": "Zabezpečenie akcie domu",
+ "arm_night_action": "Zabezpečenie nočnej akcie",
+ "arm_vacation_action": "Zabezpečenie akcie dovolenka",
+ "code_arm_required": "Je vyžadovaný kód pre zabezpečenie",
+ "disarm_action": "Akcia odzabezpečenia",
+ "trigger_action": "Spúšťacia akcia",
+ "value_template": "Šablóna hodnoty",
+ "template_alarm_control_panel": "Šablóna ovládacieho panela alarmu",
+ "state_template": "Stavová šablóna",
+ "template_binary_sensor": "Šablóna binárneho snímača",
+ "actions_on_press": "Akcie v tlači",
+ "template_button": "Tlačidlo šablóny",
+ "template_image": "Obrázok šablóny",
+ "actions_on_set_value": "Akcie na nastavenú hodnotu",
+ "step_value": "Hodnota kroku",
+ "template_number": "Číslo šablóny",
+ "available_options": "Dostupné možnosti",
+ "actions_on_select": "Akcie na výber",
+ "template_select": "Výber šablóny",
+ "template_sensor": "Šablónový snímač",
+ "actions_on_turn_off": "Akcie pri vypnutí",
+ "actions_on_turn_on": "Akcie pri zapnutí",
+ "template_switch": "Prepínač šablóny",
+ "template_a_button": "Šablóna tlačidla",
+ "template_an_image": "Šablóna obrázka",
+ "template_a_number": "Šablóna čísla",
+ "template_a_select": "Šablóna a výber",
+ "template_a_sensor": "Šablóna snímača",
+ "template_a_switch": "Šablóna prepínača",
+ "template_helper": "Pomocník šablóny",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "Toto zariadenie nie je zariadenie zha",
+ "abort_usb_probe_failed": "Nepodarilo sa preskúmať zariadenie USB",
+ "invalid_backup_json": "Neplatná záloha JSON",
+ "choose_an_automatic_backup": "Vyberte si automatické zálohovanie",
+ "restore_automatic_backup": "Obnovenie automatickej zálohy",
+ "choose_formation_strategy_description": "Vyberte sieťové nastavenia pre vaše rádio.",
+ "create_a_network": "Vytvorenie siete",
+ "keep_radio_network_settings": "Ponechajte nastavenia siete rádia",
+ "upload_a_manual_backup": "Nahratie manuálnej zálohy",
+ "network_formation": "Tvorba siete",
+ "serial_device_path": "Cesta sériového zariadenia",
+ "select_a_serial_port": "Vyberte sériový port",
+ "radio_type": "Typ rádia",
+ "manual_pick_radio_type_description": "Vyberte si typ rádia Zigbee",
+ "port_speed": "Rýchlosť portu",
+ "data_flow_control": "Riadenie toku dát",
+ "manual_port_config_description": "Zadajte nastavenia sériového portu",
+ "serial_port_settings": "Nastavenia sériového portu",
+ "data_overwrite_coordinator_ieee": "Natrvalo nahraďte rádiovú adresu IEEE",
+ "overwrite_radio_ieee_address": "Prepísať adresu IEEE rádia",
+ "upload_a_file": "Nahrajte súbor",
+ "radio_is_not_recommended": "Rádio sa neodporúča",
+ "invalid_ics_file": "Neplatný súbor .ics",
+ "calendar_name": "Názov kalendára",
+ "starting_data": "Počiatočné údaje",
+ "zha_alarm_options_alarm_arm_requires_code": "Kód požadovaný pre činnosti stráženia",
+ "zha_alarm_options_alarm_master_code": "Hlavný kód pre poplachové ovládací panel(y)",
+ "alarm_control_panel_options": "Možnosti ovládacieho panela alarmov",
+ "zha_options_consider_unavailable_battery": "Zariadenia napájané z batérie považujte za nedostupné po (sekundách)",
+ "zha_options_consider_unavailable_mains": "Zariadenia napájané zo siete považujte za nedostupné po (sekundách)",
+ "zha_options_default_light_transition": "Predvolený čas prechodu svetla (sekundy)",
+ "zha_options_group_members_assume_state": "Členovia skupiny prevezmú stav skupiny",
+ "zha_options_light_transitioning_flag": "Povoliť vylepšený posuvník jasu počas prechodu svetla",
+ "global_options": "Globálne možnosti",
+ "force_nightlatch_operation_mode": "Vynútiť prevádzkový režim Nightlatch",
+ "retry_count": "Počet opakovaní",
+ "data_process": "Procesy na pridanie ako snímač(e)",
+ "invalid_url": "Neplatná adresa URL",
+ "data_browse_unfiltered": "Zobraziť nekompatibilné médiá pri prehliadaní",
+ "event_listener_callback_url": "Adresa URL spätného volania prijímača udalostí",
+ "data_listen_port": "Port prijímača udalostí (náhodný, ak nie je nastavený)",
+ "poll_for_device_availability": "Dopytovanie sa na dostupnosť zariadenia",
+ "init_title": "Konfigurácia DLNA Digital Media Renderer",
+ "broker_options": "Možnosti brokera",
+ "enable_birth_message": "Povoliť správu birth",
+ "birth_message_payload": "Birth správa vyťaženie",
+ "birth_message_qos": "QoS správy birth",
+ "birth_message_retain": "Zachovať správu birth",
+ "birth_message_topic": "Téma správy birth",
+ "enable_discovery": "Povoliť zisťovanie",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Povolenie správ will",
+ "will_message_payload": "Will správa zaťaženie",
+ "will_message_qos": "Will správa QoS",
+ "will_message_retain": "Will správa sa zachová",
+ "will_message_topic": "Téma správ will",
+ "data_description_discovery": "Možnosť zapnutia automatického zisťovania MQTT.",
+ "mqtt_options": "MQTT možnosti",
+ "passive_scanning": "Pasívne skenovanie",
+ "protocol": "Protokol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Kód jazyka",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "data_app_delete": "Začiarknutím tejto možnosti odstránite túto aplikáciu",
+ "application_icon": "Ikona aplikácie",
+ "application_name": "Názov aplikácie",
+ "configure_application_id_app_id": "Konfigurácia ID aplikácie {app_id}",
+ "configure_android_apps": "Konfigurácia aplikácií pre systém Android",
+ "configure_applications_list": "Konfigurácia zoznamu aplikácií",
"ignore_cec": "Ignorovať CEC",
"allowed_uuids": "Povolené UUID",
"advanced_google_cast_configuration": "Pokročilá konfigurácia Google Cast",
+ "allow_deconz_clip_sensors": "Povoliť snímače deCONZ CLIP",
+ "allow_deconz_light_groups": "Povoliť skupiny svetiel deCONZ",
+ "data_allow_new_devices": "Povoliť automatické pridávanie nových zariadení",
+ "deconz_devices_description": "Nastavte viditeľnosť typov zariadení deCONZ",
+ "deconz_options": "možnosti deCONZ",
+ "select_test_server": "Vyberte testovací server",
+ "data_calendar_access": "Prístup Home Assistant ku kalendáru Google",
+ "bluetooth_scanner_mode": "Režim skenovania Bluetooth",
"device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
"not_supported": "Not Supported",
"localtuya_configuration": "LocalTuya Configuration",
@@ -2452,10 +2802,9 @@
"data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
"data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
"data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
"configure_tuya_device": "Configure Tuya device",
"configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "ID zariadenia",
+ "device_id": "Device ID",
"local_key": "Local key",
"protocol_version": "Protocol Version",
"data_entities": "Entities (uncheck an entity to remove it)",
@@ -2524,92 +2873,13 @@
"enable_heuristic_action_optional": "Enable heuristic action (optional)",
"data_dps_default_value": "Default value when un-initialised (optional)",
"minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Prístup Home Assistant ku kalendáru Google",
- "data_process": "Procesy na pridanie ako snímač(e)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Pasívne skenovanie",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Možnosti brokera",
- "enable_birth_message": "Povoliť správu birth",
- "birth_message_payload": "Birth správa vyťaženie",
- "birth_message_qos": "QoS správy birth",
- "birth_message_retain": "Zachovať správu birth",
- "birth_message_topic": "Téma správy birth",
- "enable_discovery": "Povoliť zisťovanie",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Povolenie správ will",
- "will_message_payload": "Will správa zaťaženie",
- "will_message_qos": "Will správa QoS",
- "will_message_retain": "Will správa sa zachová",
- "will_message_topic": "Téma správ will",
- "data_description_discovery": "Možnosť zapnutia automatického zisťovania MQTT.",
- "mqtt_options": "MQTT možnosti",
"data_allow_nameless_uuids": "Aktuálne povolené UUID. Ak chcete odstrániť, zrušte začiarknutie",
"data_new_uuid": "Zadajte nové povolené UUID",
- "allow_deconz_clip_sensors": "Povoliť snímače deCONZ CLIP",
- "allow_deconz_light_groups": "Povoliť skupiny svetiel deCONZ",
- "data_allow_new_devices": "Povoliť automatické pridávanie nových zariadení",
- "deconz_devices_description": "Nastavte viditeľnosť typov zariadení deCONZ",
- "deconz_options": "možnosti deCONZ",
- "data_app_delete": "Začiarknutím tejto možnosti odstránite túto aplikáciu",
- "application_icon": "Ikona aplikácie",
- "application_name": "Názov aplikácie",
- "configure_application_id_app_id": "Konfigurácia ID aplikácie {app_id}",
- "configure_android_apps": "Konfigurácia aplikácií pre systém Android",
- "configure_applications_list": "Konfigurácia zoznamu aplikácií",
- "invalid_url": "Neplatná adresa URL",
- "data_browse_unfiltered": "Zobraziť nekompatibilné médiá pri prehliadaní",
- "event_listener_callback_url": "Adresa URL spätného volania prijímača udalostí",
- "data_listen_port": "Port prijímača udalostí (náhodný, ak nie je nastavený)",
- "poll_for_device_availability": "Dopytovanie sa na dostupnosť zariadenia",
- "init_title": "Konfigurácia DLNA Digital Media Renderer",
- "protocol": "Protokol",
- "language_code": "Kód jazyka",
- "bluetooth_scanner_mode": "Režim skenovania Bluetooth",
- "force_nightlatch_operation_mode": "Vynútiť prevádzkový režim Nightlatch",
- "retry_count": "Počet opakovaní",
- "select_test_server": "Vyberte testovací server",
- "toggle_entity_name": "Prepnúť {entity_name}",
- "turn_off_entity_name": "Vypnúť {entity_name}",
- "turn_on_entity_name": "Zapnúť {entity_name}",
- "entity_name_is_off": "{entity_name} je vypnuté",
- "entity_name_is_on": "{entity_name} je zapnuté",
- "trigger_type_changed_states": "{entity_name} zapnuté alebo vypnuté",
- "entity_name_turned_off": "{entity_name} vypnuté",
- "entity_name_turned_on": "{entity_name} zapnuté",
+ "reconfigure_zha": "Prekonfigurovať ZHA",
+ "unplug_your_old_radio": "Odpojte staré rádio",
+ "intent_migrate_title": "Prejdite na nové rádio",
+ "re_configure_the_current_radio": "Prekonfigurujte aktuálne rádio",
+ "migrate_or_re_configure": "Migrácia alebo zmena konfigurácie",
"current_entity_name_apparent_power": "Aktuálny zdanlivý výkon {entity_name}",
"condition_type_is_aqi": "Aktuálny index kvality ovzdušia {entity_name}",
"current_entity_name_area": "Aktuálna {entity_name} oblasť",
@@ -2702,6 +2972,59 @@
"entity_name_water_changes": "Pri zmene množstva vody {entity_name}",
"entity_name_weight_changes": "Pri zmene hmotnosti {entity_name}",
"entity_name_wind_speed_changes": "{entity_name} zmeny rýchlosti vetra",
+ "decrease_entity_name_brightness": "Znížte jas {entity_name}",
+ "increase_entity_name_brightness": "Zvýšte jas {entity_name}",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Prepnúť {entity_name}",
+ "turn_off_entity_name": "Vypnúť {entity_name}",
+ "turn_on_entity_name": "Zapnúť {entity_name}",
+ "entity_name_is_off": "{entity_name} je vypnuté",
+ "entity_name_is_on": "{entity_name} je zapnuté",
+ "flash": "Blesk",
+ "trigger_type_changed_states": "{entity_name} zapnuté alebo vypnuté",
+ "entity_name_turned_off": "{entity_name} vypnuté",
+ "entity_name_turned_on": "{entity_name} zapnuté",
+ "set_value_for_entity_name": "Nastaviť hodnotu pre {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "Dostupnosť aktualizácie {entity_name} sa zmenila",
+ "entity_name_became_up_to_date": "{entity_name} se stalo aktuálne",
+ "trigger_type_update": "{entity_name} má k dispozícii aktualizáciu",
+ "first_button": "Prvé tlačidlo",
+ "second_button": "Druhé tlačidlo",
+ "third_button": "Tretie tlačidlo",
+ "fourth_button": "Štvrté tlačidlo",
+ "fifth_button": "Piate tlačidlo",
+ "sixth_button": "Šieste tlačidlo",
+ "subtype_double_clicked": "\"{subtype}\" dvojklik",
+ "subtype_continuously_pressed": "\"{subtype}\" trvalo stlačené",
+ "trigger_type_button_long_release": "\"{subtype}\" uvoľnené po dlhom stlačení",
+ "subtype_quadruple_clicked": "\"{subtype}\" kliknuté štyrikrát",
+ "subtype_quintuple_clicked": "\"{subtype}\" kliknuté päťkrát",
+ "subtype_pressed": "\"{subtype}\" stlačené",
+ "subtype_released": "\"{subtype}\" bolo uvoľnené",
+ "subtype_triple_clicked": "\"{subtype}\" troj klik",
+ "entity_name_is_home": "{entity_name} je doma",
+ "entity_name_is_not_home": "{entity_name} nie je doma",
+ "entity_name_enters_a_zone": "{entity_name} vstúpi do zóny",
+ "entity_name_leaves_a_zone": "{entity_name} opustí zónu",
+ "press_entity_name_button": "Stlačte tlačidlo {entity_name}",
+ "entity_name_has_been_pressed": "{entity_name} bol stlačený",
+ "let_entity_name_clean": "Nechajte {entity_name} upratať",
+ "action_type_dock": "Nechajte {entity_name} vrátiť sa do doku",
+ "entity_name_is_cleaning": "{entity_name} upratuje",
+ "entity_name_is_docked": "{entity_name} je v doku",
+ "entity_name_started_cleaning": "{entity_name} začala upratovať",
+ "entity_name_docked": "{entity_name} v doku",
+ "send_a_notification": "Odoslať oznámenie",
+ "lock_entity_name": "Uzamknúť {entity_name}",
+ "open_entity_name": "Otvoriť {entity_name}",
+ "unlock_entity_name": "Odomknúť {entity_name}",
+ "entity_name_is_locked": "{entity_name} je uzamknuté",
+ "entity_name_is_open": "{entity_name} je otvorená",
+ "entity_name_is_unlocked": "{entity_name} je odomknuté",
+ "entity_name_locked": "{entity_name} zamknuté",
+ "entity_name_opened": "{entity_name} otvorené",
+ "entity_name_unlocked": "{entity_name} odomknuté",
"action_type_set_hvac_mode": "Zmeniť režim HVAC na {entity_name}",
"change_preset_on_entity_name": "Zmeniť prednastavený režim na {entity_name}",
"hvac_mode": "Režim HVAC",
@@ -2709,8 +3032,21 @@
"entity_name_measured_humidity_changed": "{entity_name} sa zmenila nameraná vlhkosť",
"entity_name_measured_temperature_changed": "{entity_name} sa zmenila nameraná teplota",
"entity_name_hvac_mode_changed": "Režim HVAC na {entity_name} zmenený",
- "set_value_for_entity_name": "Nastaviť hodnotu pre {entity_name}",
- "value": "Hodnota",
+ "close_entity_name": "Zavrieť {entity_name}",
+ "close_entity_name_tilt": "Znížiť náklon {entity_name}",
+ "open_entity_name_tilt": "Zvýšiť náklon {entity_name}",
+ "set_entity_name_position": "Nastaviť pozíciu {entity_name}",
+ "set_entity_name_tilt_position": "Nastaviť náklon {entity_name}",
+ "stop_entity_name": "Zastaviť {entity_name}",
+ "entity_name_is_closed": "{entity_name} je zatvorené",
+ "entity_name_is_closing": "{entity_name} sa zatvára",
+ "entity_name_opening": "{entity_name} sa otvára",
+ "current_entity_name_position_is": "Aktuálna pozícia {entity_name} je",
+ "condition_type_is_tilt_position": "Aktuálna poloha naklonenia {entity_name} je",
+ "entity_name_closed": "{entity_name} zatvorené",
+ "entity_name_closing": "{entity_name} zatváranie",
+ "entity_name_position_changes": "{entity_name} zmeny pozície",
+ "entity_name_tilt_position_changes": "Pri zmene náklonu {entity_name}",
"entity_name_battery_is_low": "{entity_name} batéria je vybitá",
"entity_name_is_charging": "{entity_name} sa nabíja",
"trigger_type_co": "{entity_name} zisťuje oxid uhoľnatý",
@@ -2719,7 +3055,6 @@
"entity_name_is_detecting_gas": "{entity_name} detekuje plyn",
"entity_name_is_hot": "{entity_name} je horúce",
"entity_name_is_detecting_light": "{entity_name} zaznamenáva svetlo",
- "entity_name_is_locked": "{entity_name} je uzamknutý",
"entity_name_is_moist": "{entity_name} je vlhký",
"entity_name_is_detecting_motion": "{entity_name} zaznamenáva pohyb",
"entity_name_is_moving": "{entity_name} sa hýbe",
@@ -2737,11 +3072,9 @@
"entity_name_is_not_cold": "{entity_name} nie je studené",
"entity_name_is_disconnected": "{entity_name} je odpojený",
"entity_name_is_not_hot": "{entity_name} nie je horúce",
- "entity_name_is_unlocked": "{entity_name} je odomknutý",
"entity_name_is_dry": "{entity_name} je suché",
"entity_name_is_not_moving": "{entity_name} sa nehýbe",
"entity_name_is_not_occupied": "{entity_name} nie je obsadená",
- "entity_name_is_closed": "{entity_name} je zatvorené",
"entity_name_is_unplugged": "{entity_name} je odpojené",
"entity_name_not_powered": "{entity_name} nie je napájané",
"entity_name_not_present": "{entity_name} nie je prítomné",
@@ -2749,7 +3082,6 @@
"condition_type_is_not_tampered": "{entity_name} nedetekuje manipuláciu",
"entity_name_is_safe": "{entity_name} je bezpečné",
"entity_name_is_occupied": "{entity_name} je obsadené",
- "entity_name_is_open": "{entity_name} je otvorená",
"entity_name_is_plugged_in": "{entity_name} je zapojené",
"entity_name_is_powered": "{entity_name} je napájané",
"entity_name_is_present": "{entity_name} je prítomné",
@@ -2759,14 +3091,12 @@
"entity_name_is_detecting_sound": "{entity_name} rozpoznáva zvuk",
"entity_name_is_detecting_tampering": "{entity_name} detekuje manipuláciu",
"entity_name_is_unsafe": "{entity_name} nie je bezpečné",
- "trigger_type_update": "{entity_name} má k dispozícii aktualizáciu",
"entity_name_is_detecting_vibration": "{entity_name} zaznamenáva vibrácie",
"entity_name_battery_low": "{entity_name} batéria vybitá",
"entity_name_charging": "{entity_name} nabíja",
"entity_name_became_cold": "{entity_name} sa ochladilo",
"entity_name_became_hot": "{entity_name} sa stal horúcim",
"entity_name_started_detecting_light": "{entity_name} začal detegovať svetlo",
- "entity_name_locked": "{entity_name} uzamknutý",
"entity_name_became_moist": "{entity_name} sa stal vlhkým",
"entity_name_started_detecting_motion": "{entity_name} začal zisťovať pohyb",
"entity_name_started_moving": "{entity_name} se začal pohybovať",
@@ -2777,23 +3107,19 @@
"entity_name_stopped_detecting_problem": "{entity_name} prestalo detekovať problém",
"entity_name_stopped_detecting_smoke": "{entity_name} prestalo detekovať dym",
"entity_name_stopped_detecting_sound": "{entity_name} prestalo detekovať zvuk",
- "entity_name_became_up_to_date": "{entity_name} sa stalo aktuálnym",
"entity_name_stopped_detecting_vibration": "{entity_name} prestalo detekovať vibrácie",
"entity_name_battery_normal": "{entity_name} batéria normálna",
"entity_name_not_charging": "{entity_name} nenabíja",
"entity_name_became_not_cold": "{entity_name} prestal byť studený",
"entity_name_unplugged": "{entity_name} odpojený",
"entity_name_became_not_hot": "{entity_name} prestal byť horúcim",
- "entity_name_unlocked": "{entity_name} odomknutý",
"entity_name_became_dry": "{entity_name} sa stal suchým",
"entity_name_stopped_moving": "{entity_name} sa prestalo pohybovať",
"entity_name_became_not_occupied": "{entity_name} voľné",
- "entity_name_closed": "{entity_name} zatvorené",
"trigger_type_not_running": "{entity_name} už nie je v prevádzke",
"entity_name_stopped_detecting_tampering": "{entity_name} prestalo detekovať neoprávnenú manipuláciu",
"entity_name_became_safe": "{entity_name} bezpečné",
"entity_name_became_occupied": "{entity_name} obsadené",
- "entity_name_opened": "{entity_name} otvorená",
"entity_name_plugged_in": "{entity_name} zapojené",
"entity_name_powered": "{entity_name} napájané",
"entity_name_present": "{entity_name} prítomné",
@@ -2811,34 +3137,6 @@
"entity_name_starts_buffering": "{entity_name} spustí ukladanie do vyrovnávacej pamäte",
"entity_name_becomes_idle": "{entity_name} sa stáva nečinným",
"entity_name_starts_playing": "{entity_name} začína hrať",
- "entity_name_is_home": "{entity_name} je doma",
- "entity_name_is_not_home": "{entity_name} nie je doma",
- "entity_name_enters_a_zone": "{entity_name} vstúpi do zóny",
- "entity_name_leaves_a_zone": "{entity_name} opustí zónu",
- "decrease_entity_name_brightness": "Znížte jas {entity_name}",
- "increase_entity_name_brightness": "Zvýšte jas {entity_name}",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Blesk",
- "entity_name_update_availability_changed": "Dostupnosť aktualizácie {entity_name} sa zmenila",
- "arm_entity_name_away": "Aktivovať {entity_name} v režime neprítomnosť",
- "arm_entity_name_home": "Aktivovať {entity_name} v režime domov",
- "arm_entity_name_night": "Aktivovať {entity_name} v nočnom režime",
- "arm_entity_name_vacation": "Aktivovať {entity_name} v režime dovolenka",
- "disarm_entity_name": "Deaktivovať {entity_name}",
- "trigger_entity_name": "Spúšťač {entity_name}",
- "entity_name_is_armed_away": "{entity_name} je v režime neprítomnosti",
- "entity_name_is_armed_home": "{entity_name} je v režime domov",
- "entity_name_is_armed_night": "{entity_name} je v nočnom režime",
- "entity_name_is_armed_vacation": "{entity_name} je v režime dovolenka",
- "entity_name_is_disarmed": "{entity_name} nie je zabezpečené",
- "entity_name_armed_away": "{entity_name} v režime neprítomnosť",
- "entity_name_armed_home": "{entity_name} v režime domov",
- "entity_name_armed_night": "{entity_name} v nočnom režime",
- "entity_name_armed_vacation": "{entity_name} v režime dovolenka",
- "entity_name_disarmed": "{entity_name} nezabezpečené",
- "entity_name_triggered": "{entity_name} spustený",
- "press_entity_name_button": "Stlačte tlačidlo {entity_name}",
- "entity_name_has_been_pressed": "{entity_name} bol stlačený",
"action_type_select_first": "Zmeňte {entity_name} na prvú možnosť",
"action_type_select_last": "Zmeňte {entity_name} na poslednú možnosť",
"action_type_select_next": "Zmeňte {entity_name} na ďalšiu možnosť",
@@ -2847,39 +3145,12 @@
"current_entity_name_selected_option": "Aktuálna vybratá možnosť {entity_name}",
"cycle": "Cyklus",
"entity_name_option_changed": "Možnosť {entity_name} sa zmenila",
- "close_entity_name": "Zavrieť {entity_name}",
- "close_entity_name_tilt": "Znížiť náklon {entity_name}",
- "open_entity_name": "Otvoriť {entity_name}",
- "open_entity_name_tilt": "Zvýšiť náklon {entity_name}",
- "set_entity_name_position": "Nastaviť pozíciu {entity_name}",
- "set_entity_name_tilt_position": "Nastaviť náklon {entity_name}",
- "stop_entity_name": "Zastaviť {entity_name}",
- "entity_name_is_closing": "{entity_name} sa zatvára",
- "entity_name_opening": "{entity_name} sa otvára",
- "current_entity_name_position_is": "Aktuálna pozícia {entity_name} je",
- "condition_type_is_tilt_position": "Aktuálna poloha naklonenia {entity_name} je",
- "entity_name_closing": "{entity_name} zatváranie",
- "entity_name_position_changes": "{entity_name} zmeny pozície",
- "entity_name_tilt_position_changes": "Pri zmene náklonu {entity_name}",
- "first_button": "Prvé tlačidlo",
- "second_button": "Druhé tlačidlo",
- "third_button": "Tretie tlačidlo",
- "fourth_button": "Štvrté tlačidlo",
- "fifth_button": "Piate tlačidlo",
- "sixth_button": "Šieste tlačidlo",
- "subtype_double_push": "{subtype} stlačené dvakrát",
- "subtype_continuously_pressed": "\"{subtype}\" trvalo stlačené",
- "trigger_type_button_long_release": "\"{subtype}\" uvoľnené po dlhom stlačení",
- "subtype_quadruple_clicked": "\"{subtype}\" kliknuté štyrikrát",
- "subtype_quintuple_clicked": "\"{subtype}\" kliknuté päťkrát",
- "subtype_pressed": "\"{subtype}\" stlačené",
- "subtype_released": "\"{subtype}\" bolo uvoľnené",
- "subtype_triple_clicked": "{subtype} stlačené trikrát",
"both_buttons": "Obe tlačidlá",
"bottom_buttons": "Spodné tlačidlá",
"seventh_button": "Siedme tlačidlo",
"eighth_button": "Ôsme tlačidlo",
- "dim_up": "Zvýšiť",
+ "dim_down": "Dim dole",
+ "dim_up": "Dim hore",
"left": "Vľavo",
"right": "Vpravo",
"side": "Strana 6",
@@ -2898,42 +3169,60 @@
"trigger_type_remote_rotate_from_side": "Zariadenie otočené zo \"strany 6\" na \"{subtype}\"",
"device_turned_clockwise": "Zariadenie otočené v smere hodinových ručičiek",
"device_turned_counter_clockwise": "Zariadenie otočené proti smeru hodinových ručičiek",
- "send_a_notification": "Odoslať oznámenie",
- "let_entity_name_clean": "Nechajte {entity_name} upratať",
- "action_type_dock": "Nechajte {entity_name} vrátiť sa do doku",
- "entity_name_is_cleaning": "{entity_name} upratuje",
- "entity_name_is_docked": "{entity_name} je v doku",
- "entity_name_started_cleaning": "{entity_name} začala upratovať",
- "entity_name_docked": "{entity_name} v doku",
"subtype_button_down": "{subtype} stlačené dole",
"subtype_button_up": "{subtype} stlačené hore",
+ "subtype_double_push": "{subtype} stlačené dvakrát",
"subtype_long_push": "{subtype} stlačené dlho",
"trigger_type_long_single": "{subtype} stlačené dlho a potom raz",
"subtype_single_push": "{subtype} stlačené raz",
"trigger_type_single_long": "{subtype} stlačené raz a potom dlho",
"subtype_triple_push": "{subtype} trojité stlačenie",
- "lock_entity_name": "Uzamknúť {entity_name}",
- "unlock_entity_name": "Odomknúť {entity_name}",
+ "arm_entity_name_away": "Aktivovať {entity_name} v režime neprítomnosť",
+ "arm_entity_name_home": "Aktivovať {entity_name} v režime domov",
+ "arm_entity_name_night": "Aktivovať {entity_name} v nočnom režime",
+ "arm_entity_name_vacation": "Aktivovať {entity_name} v režime dovolenka",
+ "disarm_entity_name": "Deaktivovať {entity_name}",
+ "trigger_entity_name": "Spúšťač {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} je v režime neprítomnosti",
+ "entity_name_is_armed_home": "{entity_name} je v režime domov",
+ "entity_name_is_armed_night": "{entity_name} je v nočnom režime",
+ "entity_name_is_armed_vacation": "{entity_name} je v režime dovolenka",
+ "entity_name_is_disarmed": "{entity_name} nie je zabezpečené",
+ "entity_name_armed_away": "{entity_name} v režime neprítomnosť",
+ "entity_name_armed_home": "{entity_name} v režime domov",
+ "entity_name_armed_night": "{entity_name} v nočnom režime",
+ "entity_name_armed_vacation": "{entity_name} v režime dovolenka",
+ "entity_name_disarmed": "{entity_name} nezabezpečené",
+ "entity_name_triggered": "{entity_name} spustený",
+ "action_type_issue_all_led_effect": "Výstupný efekt pre všetky LED",
+ "action_type_issue_individual_led_effect": "Výstupný efekt pre jednu LED",
+ "squawk": "Škrípanie",
+ "color_hue": "Farebný odtieň",
+ "duration_in_seconds": "Trvanie v sekundách",
+ "effect_type": "Typ efektu",
+ "led_number": "Číslo LED",
+ "with_face_activated": "Aktivované tvárou 6",
+ "with_any_specified_face_s_activated": "Aktivácia s ľubovoľným/fixným povrchom (povrchmi)",
+ "device_dropped": "Zariadenie spadlo",
+ "device_flipped_subtype": "Zariadenie sa obrátilo \"{subtype}\"",
+ "device_knocked_subtype": "Zariadenie zaklopalo \"{subtype}\"",
+ "device_offline": "Zariadenie je offline",
+ "device_rotated_subtype": "Zariadenie otočené \"{subtype}\"",
+ "device_slid_subtype": "Zariadenie posunuté \"{subtype}\"",
+ "device_tilted": "Zariadenie je naklonené",
+ "trigger_type_remote_button_alt_double_press": "dvojité kliknutie na \"{subtype}\" (Alternatívny režim)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" trvalo stlačené (Alternatívny režim)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" uvoľnené po dlhom stlačení (alternatívny režim)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" štvorité kliknutie (Alternatívny režim)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" päťnásobné kliknutie (Alternatívny režim)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" stlačené (alternatívny režim)",
+ "subtype_released_alternate_mode": "\"{subtype}\" Uvolnené (alternatívny režim)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" trojité kliknutie (Alternatívny režim)",
"add_to_queue": "Pridať do frontu",
"play_next": "Hrať ďalšie",
"options_replace": "Prehrať teraz a vyčistiť frontu",
"repeat_all": "Opakujte všetko",
"repeat_one": "Opakujte jeden",
- "no_code_format": "Žiadny formát kódu",
- "no_unit_of_measurement": "Žiadna merná jednotka",
- "critical": "Kritický",
- "debug": "Ladenie",
- "info": "Info",
- "create_an_empty_calendar": "Vytvorenie prázdneho kalendára",
- "options_import_ics_file": "Nahratie súboru iCalendar (.ics)",
- "passive": "Pasívny",
- "most_recently_updated": "Najnovšie aktualizované",
- "arithmetic_mean": "Aritmetický priemer",
- "median": "Medián",
- "product": "Produkt",
- "statistical_range": "Štatistický rozsah",
- "standard_deviation": "Štandardná odchýlka",
- "fatal": "Fatálny",
"alice_blue": "Alica modrá",
"antique_white": "Starožitná biela",
"aqua": "Aqua",
@@ -3061,51 +3350,21 @@
"wheat": "Pšenica",
"white_smoke": "Biely dym",
"yellow_green": "Žltozelená",
- "sets_the_value": "Nastaví hodnotu.",
- "the_target_value": "Cieľová hodnota.",
- "command": "Príkaz",
- "device_description": "ID zariadenia, ktorému sa má poslať príkaz.",
- "delete_command": "Odstrániť príkaz",
- "alternative": "Alternatívne",
- "command_type_description": "Typ príkazu, ktorý sa má naučiť.",
- "command_type": "Typ príkazu",
- "timeout_description": "Časový limit na naučenie príkazu.",
- "learn_command": "Naučte sa príkaz",
- "delay_seconds": "Oneskorenie v sekundách",
- "hold_seconds": "Podržte sekundy",
- "repeats": "Opakovania",
- "send_command": "Odoslať príkaz",
- "sends_the_toggle_command": "Odošle príkaz na prepínanie.",
- "turn_off_description": "Vypnite jedno alebo viac svetiel.",
- "turn_on_description": "Spustí novú úlohu čistenia.",
- "set_datetime_description": "Nastaví dátum a/alebo čas.",
- "the_target_date": "Cieľový dátum.",
- "datetime_description": "Cieľový dátum a čas.",
- "the_target_time": "Cieľový čas.",
- "creates_a_new_backup": "Vytvorí novú zálohu.",
- "apply_description": "Aktivuje scénu s konfiguráciou.",
- "entities_description": "Zoznam entít a ich cieľový stav.",
- "entities_state": "Stav entít",
- "transition": "Prechod",
- "apply": "Použiť",
- "creates_a_new_scene": "Vytvorí novú scénu.",
- "scene_id_description": "ID entity novej scény.",
- "scene_entity_id": "ID entity scény",
- "snapshot_entities": "Entity snímok",
- "delete_description": "Odstráni dynamicky vytvorenú scénu.",
- "activates_a_scene": "Aktivuje scénu.",
- "closes_a_valve": "Zatvorí ventil.",
- "opens_a_valve": "Otvorí ventil.",
- "set_valve_position_description": "Presunie ventil do určitej polohy.",
- "target_position": "Cieľová pozícia.",
- "set_position": "Nastavenie polohy",
- "stops_the_valve_movement": "Zastaví pohyb ventilu.",
- "toggles_a_valve_open_closed": "Prepína ventil otvorený/zavretý.",
- "dashboard_path": "Cesta k prístrojovému panelu",
- "view_path": "Zobraziť cestu",
- "show_dashboard_view": "Zobraziť zobrazenie prístrojovej dosky",
- "finish_description": "Ukončí spustený časovač skôr, ako je naplánované.",
- "duration_description": "Vlastné trvanie na reštartovanie časovača.",
+ "critical": "Kritický",
+ "debug": "Ladenie",
+ "info": "Info",
+ "passive": "Pasívny",
+ "no_code_format": "Žiadny formát kódu",
+ "no_unit_of_measurement": "Žiadna merná jednotka",
+ "fatal": "Fatálny",
+ "most_recently_updated": "Najnovšie aktualizované",
+ "arithmetic_mean": "Aritmetický priemer",
+ "median": "Medián",
+ "product": "Produkt",
+ "statistical_range": "Štatistický rozsah",
+ "standard_deviation": "Štandardná odchýlka",
+ "create_an_empty_calendar": "Vytvorenie prázdneho kalendára",
+ "options_import_ics_file": "Nahratie súboru iCalendar (.ics)",
"sets_a_random_effect": "Nastaví náhodný efekt.",
"sequence_description": "Zoznam sekvencií HSV (Max 16).",
"backgrounds": "Pozadia",
@@ -3122,108 +3381,22 @@
"saturation_range": "Rozsah sýtosti",
"segments_description": "Zoznam segmentov (0 pre všetky).",
"segments": "Segmenty",
+ "transition": "Prechod",
"range_of_transition": "Rozsah prechodu.",
"transition_range": "Rozsah prechodu",
"random_effect": "Náhodný efekt",
"sets_a_sequence_effect": "Nastaví efekt sekvencie.",
"repetitions_for_continuous": "Opakovania (0 pre nepretržitú prevádzku).",
+ "repeats": "Opakovania",
"sequence": "Sekvencia",
"speed_of_spread": "Rýchlosť šírenia.",
"spread": "Rozšírenie",
"sequence_effect": "Efekt sekvencie",
- "check_configuration": "Skontrolovať konfiguráciu",
- "reload_config_entry_description": "Znovu načíta zadanú položku konfigurácie.",
- "config_entry_id": "ID položky konfigurácie",
- "reload_config_entry": "Opätovné načítanie položky konfigurácie",
- "reload_core_config_description": "Načíta základnú konfiguráciu z konfigurácie YAML.",
- "reload_core_configuration": "Opätovné načítanie konfigurácie jadra",
- "reload_custom_jinja_templates": "Načítanie vlastných šablón Jinja2",
- "restarts_home_assistant": "Reštartuje aplikáciu Home Assistant.",
- "safe_mode_description": "Zakázať vlastné integrácie a vlastné karty.",
- "save_persistent_states": "Uloženie trvalých stavov",
- "set_location_description": "Aktualizuje umiestnenie aplikácie Home Assistant.",
- "elevation_description": "Nadmorská výška vašej polohy nad hladinou mora.",
- "latitude_of_your_location": "Zemepisná šírka vašej polohy.",
- "longitude_of_your_location": "Zemepisná dĺžka vašej polohy.",
- "stops_home_assistant": "Zastaví funkciu Home Assistant.",
- "generic_toggle": "Všeobecné prepínanie",
- "generic_turn_off": "Všeobecné vypnutie",
- "generic_turn_on": "Všeobecné zapnutie",
- "entity_id_description": "Entita, na ktorú sa má odkazovať v zázname denníka.",
- "entities_to_update": "Entity na aktualizáciu",
- "update_entity": "Aktualizovať entitu",
- "turns_auxiliary_heater_on_off": "Zapnutie/vypnutie prídavného kúrenia.",
- "aux_heat_description": "Nová hodnota prídavného ohrievača.",
- "turn_on_off_auxiliary_heater": "Zapnutie/vypnutie prídavného ohrievača",
- "sets_fan_operation_mode": "Nastaví režim prevádzky ventilátora.",
- "fan_operation_mode": "Režim prevádzky ventilátora.",
- "set_fan_mode": "Nastavenie režimu ventilátora",
- "sets_target_humidity": "Nastaví cieľovú vlhkosť.",
- "set_target_humidity": "Nastavenie cieľovej vlhkosti",
- "sets_hvac_operation_mode": "Nastaví režim prevádzky HVAC.",
- "hvac_operation_mode": "Režim prevádzky HVAC.",
- "set_hvac_mode": "Nastavenie režimu HVAC",
- "sets_preset_mode": "Nastaví režim predvoľby.",
- "set_preset_mode": "Nastavenie prednastaveného režimu",
- "set_swing_horizontal_mode_description": "Nastaví režim prevádzky horizontálneho výkyvu.",
- "horizontal_swing_operation_mode": "Prevádzkový režim horizontálneho výkyvu.",
- "set_horizontal_swing_mode": "Nastavenie režimu horizontálneho výkyvu",
- "sets_swing_operation_mode": "Nastaví režim prevádzky výkyvu.",
- "swing_operation_mode": "Prevádzkový režim výkyvu.",
- "set_swing_mode": "Nastavenie režimu klapky",
- "sets_the_temperature_setpoint": "Nastaví požadovanú hodnotu teploty.",
- "the_max_temperature_setpoint": "Maximálna požadovaná hodnota teploty.",
- "the_min_temperature_setpoint": "Minimálna požadovaná hodnota teploty.",
- "the_temperature_setpoint": "Nastavená hodnota teploty.",
- "set_target_temperature": "Nastavenie cieľovej teploty",
- "turns_climate_device_off": "Vypne klimatizačné zariadenie.",
- "turns_climate_device_on": "Zapnutie klimatizačného zariadenia.",
- "decrement_description": "Zníži aktuálnu hodnotu o 1 krok.",
- "increment_description": "Zvýši aktuálnu hodnotu o 1 krok.",
- "reset_description": "Vynuluje počítadlo na jeho pôvodnú hodnotu.",
- "set_value_description": "Nastaví hodnotu čísla.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Hodnota konfiguračného parametra.",
- "clear_playlist_description": "Odstráni všetky položky zo zoznamu skladieb.",
- "clear_playlist": "Vymazať zoznam skladieb",
- "selects_the_next_track": "Vyberie ďalšiu skladbu.",
- "pauses": "Pauzy.",
- "starts_playing": "Spustí sa prehrávanie.",
- "toggles_play_pause": "Prepína prehrávanie/pozastavenie.",
- "selects_the_previous_track": "Vyberie predchádzajúcu skladbu.",
- "seek": "Vyhľadať",
- "stops_playing": "Zastaviť prehrávanie.",
- "starts_playing_specified_media": "Spustí prehrávanie určeného média.",
- "announce": "Oznámenie",
- "enqueue": "Zaradiť do fronty",
- "repeat_mode_to_set": "Nastavenie režimu opakovania.",
- "select_sound_mode_description": "Výber konkrétneho zvukového režimu.",
- "select_sound_mode": "Výber režimu zvuku",
- "select_source": "Vyberte zdroj",
- "shuffle_description": "Či je alebo nie je zapnutý režim náhodného výberu.",
- "toggle_description": "Zapína/vypína vysávač.",
- "unjoin": "Odpojiť",
- "turns_down_the_volume": "Zníži hlasitosť.",
- "turn_down_volume": "Zníženie hlasitosti",
- "volume_mute_description": "Stlmí alebo zruší stlmenie prehrávača médií.",
- "is_volume_muted_description": "Definuje, či je alebo nie je stlmený.",
- "mute_unmute_volume": "Stlmenie/zrušenie stlmenia hlasitosti",
- "sets_the_volume_level": "Nastaví úroveň hlasitosti.",
- "level": "Úroveň",
- "set_volume": "Nastavenie hlasitosti",
- "turns_up_the_volume": "Zvýši hlasitosť.",
- "turn_up_volume": "Zvýšenie hlasitosti",
- "battery_description": "Úroveň nabitia batérie zariadenia.",
- "gps_coordinates": "GPS súradnice",
- "gps_accuracy_description": "Presnosť súradníc GPS.",
- "hostname_of_the_device": "Názov hostiteľa zariadenia.",
- "hostname": "Meno hostiteľa",
- "mac_description": "MAC adresa zariadenia.",
- "see": "Pozri",
+ "output_path": "Výstupná cesta",
+ "trigger_a_node_red_flow": "Spustenie priebehu Node-RED",
+ "toggles_the_siren_on_off": "Zapína/vypína sirénu.",
+ "turns_the_siren_off": "Vypne sirénu.",
+ "turns_the_siren_on": "Zapne sirénu.",
"brightness_value": "Hodnota jasu",
"a_human_readable_color_name": "Názov farby čitateľný pre človeka.",
"color_name": "Názov farby",
@@ -3236,25 +3409,68 @@
"rgbww_color": "Farba RGBWW",
"white_description": "Nastavte svetlo na biely režim.",
"xy_color": "XY-farba",
+ "turn_off_description": "Odošle príkaz na vypnutie.",
"brightness_step_description": "Zmena jasu o určitú hodnotu.",
"brightness_step_value": "Hodnota kroku jasu",
"brightness_step_pct_description": "Zmeňte jas o percento.",
"brightness_step": "Krok jasu",
- "add_event_description": "Pridá novú udalosť kalendára.",
- "calendar_id_description": "Id požadovaného kalendára.",
- "calendar_id": "ID kalendára",
- "description_description": "Popis udalosti. Voliteľné.",
- "summary_description": "Slúži ako názov udalosti.",
- "location_description": "Miesto konania podujatia.",
- "create_event": "Vytvoriť udalosť",
- "apply_filter": "Použiť filter",
- "days_to_keep": "Dni na uchovanie",
- "repack": "Prebalenie",
- "purge": "Vyčistiť",
- "domains_to_remove": "Domény na odstránenie",
- "entity_globs_to_remove": "Globy entít, ktoré sa majú odstrániť",
- "entities_to_remove": "Entity na odstránenie",
- "purge_entities": "Vyčistiť entity",
+ "toggles_the_helper_on_off": "Zapína/vypína pomocníka.",
+ "turns_off_the_helper": "Vypne pomocníka.",
+ "turns_on_the_helper": "Zapne pomocníka.",
+ "pauses_the_mowing_task": "Pozastaví úlohu kosenia.",
+ "starts_the_mowing_task": "Spustí úlohu kosenia.",
+ "creates_a_new_backup": "Vytvorí novú zálohu.",
+ "sets_the_value": "Nastaví hodnotu.",
+ "enter_your_text": "Zadajte svoj text.",
+ "set_value": "Nastavená hodnota",
+ "clear_lock_user_code_description": "Vymaže používateľský kód zo zámku.",
+ "code_slot_description": "Slot pre kód, do ktorého sa má kód nastaviť.",
+ "code_slot": "Kód slotu",
+ "clear_lock_user": "Vymazať používateľa zámku",
+ "disable_lock_user_code_description": "Zakáže používateľský kód na zámku.",
+ "code_slot_to_disable": "Slot kódu na zakázanie.",
+ "disable_lock_user": "Zakázanie uzamknutia používateľa",
+ "enable_lock_user_code_description": "Povolí používateľský kód na zámku.",
+ "code_slot_to_enable": "Slot kódu na aktiváciu.",
+ "enable_lock_user": "Povolenie uzamknutia používateľa",
+ "args_description": "Argumenty, ktoré sa majú odovzdať príkazu.",
+ "args": "Argumenty",
+ "cluster_id_description": "Klaster ZCL na načítanie atribútov.",
+ "cluster_id": "ID klastra",
+ "type_of_the_cluster": "Typ klastra.",
+ "cluster_type": "Typ klastra",
+ "command_description": "Príkaz(y) na odoslanie Asistentovi Google.",
+ "command": "Príkaz",
+ "command_type_description": "Typ príkazu, ktorý sa má naučiť.",
+ "command_type": "Typ príkazu",
+ "endpoint_id_description": "ID koncového bodu pre klaster.",
+ "endpoint_id": "ID koncového bodu",
+ "ieee_description": "Adresa IEEE pre zariadenie.",
+ "ieee": "IEEE",
+ "params_description": "Parametre, ktoré sa majú odovzdať príkazu.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Vydajte príkaz klastra zigbee",
+ "group_description": "Hexadecimálna adresa skupiny.",
+ "issue_zigbee_group_command": "Vydať príkaz skupiny zigbee",
+ "permit_description": "Umožňuje uzlom pripojiť sa k sieti Zigbee.",
+ "time_to_permit_joins": "Čas na povolenie pripojenia.",
+ "install_code": "Inštalácia kódu",
+ "qr_code": "QR kód",
+ "source_ieee": "Zdroj IEEE",
+ "permit": "Povolenie",
+ "remove_description": "Odstráni uzol zo siete Zigbee.",
+ "set_lock_user_code_description": "Nastaví používateľský kód na zámku.",
+ "code_to_set": "Kód na nastavenie.",
+ "set_lock_user_code": "Nastavenie kódu používateľa zámku",
+ "attribute_description": "ID atribútu, ktorý sa má nastaviť.",
+ "value_description": "Cieľová hodnota, ktorá sa má nastaviť.",
+ "set_zigbee_cluster_attribute": "Nastavenie atribútu klastra zigbee",
+ "level": "Úroveň",
+ "strobe": "Stroboskop",
+ "warning_device_squawk": "Výstražné zariadenie škrípe",
+ "duty_cycle": "Pracovný cyklus",
+ "intensity": "Intenzita",
+ "warning_device_starts_alert": "Výstražné zariadenie spustí výstrahu",
"dump_log_objects": "Výpis objektov denníka",
"log_current_tasks_description": "Zaznamená všetky aktuálne úlohy asyncio.",
"log_current_asyncio_tasks": "Prihlásenie aktuálnych úloh asyncio",
@@ -3280,26 +3496,300 @@
"stop_logging_object_sources": "Zastavenie záznamu zdrojov objektov",
"stop_log_objects_description": "Zastaví zaznamenávanie rastu objektov v pamäti.",
"stop_logging_objects": "Zastavenie zaznamenávania objektov",
+ "set_default_level_description": "Nastaví predvolenú úroveň protokolu pre integrácie.",
+ "level_description": "Predvolená úroveň závažnosti pre všetky integrácie.",
+ "set_default_level": "Nastavenie predvolenej úrovne",
+ "set_level": "Nastaviť úroveň",
+ "stops_a_running_script": "Zastaví spustený skript.",
+ "clear_skipped_update": "Vymazať vynechanú aktualizáciu",
+ "install_update": "Inštalácia aktualizácie",
+ "skip_description": "Označí aktuálne dostupnú aktualizáciu ako preskočenú.",
+ "skip_update": "Vynechať aktualizáciu",
+ "decrease_speed_description": "Zníži rýchlosť ventilátora.",
+ "decrease_speed": "Zníženie rýchlosti",
+ "increase_speed_description": "Zvyšuje rýchlosť ventilátora.",
+ "increase_speed": "Zvýšenie rýchlosti",
+ "oscillate_description": "Ovláda osciláciu ventilátora.",
+ "turns_oscillation_on_off": "Zapnutie/vypnutie oscilácie.",
+ "set_direction_description": "Nastavuje smer otáčania ventilátora.",
+ "direction_description": "Smer otáčania ventilátora.",
+ "set_direction": "Nastavenie smeru",
+ "set_percentage_description": "Nastavuje rýchlosť ventilátora.",
+ "speed_of_the_fan": "Rýchlosť ventilátora.",
+ "percentage": "Percento",
+ "set_speed": "Nastavenie rýchlosti",
+ "sets_preset_fan_mode": "Nastavuje predvolený režim ventilátora.",
+ "preset_fan_mode": "Predvolený režim ventilátora.",
+ "set_preset_mode": "Nastavenie prednastaveného režimu",
+ "toggles_a_fan_on_off": "Zapína/vypína ventilátor.",
+ "turns_fan_off": "Vypne ventilátor.",
+ "turns_fan_on": "Zapne ventilátor.",
+ "set_datetime_description": "Nastaví dátum a/alebo čas.",
+ "the_target_date": "Cieľový dátum.",
+ "datetime_description": "Cieľový dátum a čas.",
+ "the_target_time": "Cieľový čas.",
+ "log_description": "Vytvorí vlastný záznam v denníku.",
+ "entity_id_description": "Prehrávače médií na prehrávanie správy.",
+ "message_description": "Telo správy oznámenia.",
+ "log": "Log",
+ "request_sync_description": "Odošle príkaz request_sync spoločnosti Google.",
+ "agent_user_id": "ID používateľa agenta",
+ "request_sync": "Žiadosť o synchronizáciu",
+ "apply_description": "Aktivuje scénu s konfiguráciou.",
+ "entities_description": "Zoznam entít a ich cieľový stav.",
+ "entities_state": "Stav entít",
+ "apply": "Použiť",
+ "creates_a_new_scene": "Vytvorí novú scénu.",
+ "entity_states": "Stavy entity",
+ "scene_id_description": "ID entity novej scény.",
+ "scene_entity_id": "ID entity scény",
+ "entities_snapshot": "Snímka entít",
+ "delete_description": "Odstráni dynamicky vytvorenú scénu.",
+ "activates_a_scene": "Aktivuje scénu.",
"reload_themes_description": "Načíta témy z konfigurácie YAML.",
"name_of_a_theme": "Názov témy.",
"set_the_default_theme": "Nastavenie predvolenej témy",
+ "decrement_description": "Zníži aktuálnu hodnotu o 1 krok.",
+ "increment_description": "Zvýši aktuálnu hodnotu o 1 krok.",
+ "reset_description": "Vynuluje počítadlo na jeho pôvodnú hodnotu.",
+ "set_value_description": "Nastaví hodnotu čísla.",
+ "check_configuration": "Skontrolovať konfiguráciu",
+ "reload_config_entry_description": "Znovu načíta zadanú položku konfigurácie.",
+ "config_entry_id": "ID položky konfigurácie",
+ "reload_config_entry": "Opätovné načítanie položky konfigurácie",
+ "reload_core_config_description": "Načíta základnú konfiguráciu z konfigurácie YAML.",
+ "reload_core_configuration": "Opätovné načítanie konfigurácie jadra",
+ "reload_custom_jinja_templates": "Načítanie vlastných šablón Jinja2",
+ "restarts_home_assistant": "Reštartuje aplikáciu Home Assistant.",
+ "safe_mode_description": "Zakázať vlastné integrácie a vlastné karty.",
+ "save_persistent_states": "Uloženie trvalých stavov",
+ "set_location_description": "Aktualizuje umiestnenie aplikácie Home Assistant.",
+ "elevation_description": "Nadmorská výška vašej polohy nad hladinou mora.",
+ "latitude_of_your_location": "Zemepisná šírka vašej polohy.",
+ "longitude_of_your_location": "Zemepisná dĺžka vašej polohy.",
+ "set_location": "Nastavenie polohy",
+ "stops_home_assistant": "Zastaví funkciu Home Assistant.",
+ "generic_toggle": "Všeobecné prepínanie",
+ "generic_turn_off": "Všeobecné vypnutie",
+ "generic_turn_on": "Všeobecné zapnutie",
+ "entities_to_update": "Entity na aktualizáciu",
+ "update_entity": "Aktualizovať entitu",
+ "notify_description": "Odošle notifikačnú správu vybraným cieľom.",
+ "data": "Údaje",
+ "title_of_the_notification": "Názov oznámenia.",
+ "send_a_persistent_notification": "Odoslanie trvalého oznámenia",
+ "sends_a_notification_message": "Odošle notifikačnú správu.",
+ "your_notification_message": "Vaša notifikačná správa.",
+ "title_description": "Voliteľný názov oznámenia.",
+ "send_a_notification_message": "Odoslanie notifikačnej správy",
+ "send_magic_packet": "Odoslanie magického paketu",
+ "topic_to_listen_to": "Téma na počúvanie.",
+ "export": "Export",
+ "publish_description": "Publikuje správu do témy MQTT.",
+ "evaluate_payload": "Vyhodnotenie užitočného zaťaženia",
+ "the_payload_to_publish": "Užitočné zaťaženie, ktoré sa má zverejniť.",
+ "payload": "Zaťaženie",
+ "payload_template": "Šablóna užitočného zaťaženia",
+ "qos": "QoS",
+ "retain": "Zachovať",
+ "topic_to_publish_to": "Téma na zverejnenie.",
+ "publish": "Publikovať",
+ "load_url_description": "Načíta adresu URL v prehliadači Fully Kiosk.",
+ "url_to_load": "URL na načítanie.",
+ "load_url": "Načítať URL",
+ "configuration_parameter_to_set": "Konfiguračný parameter na nastavenie.",
+ "key": "Kľúč",
+ "set_configuration": "Nastavenie konfigurácie",
+ "application_description": "Názov balíka aplikácie, ktorá sa má spustiť.",
+ "application": "Aplikácia",
+ "start_application": "Spustenie aplikácie",
+ "battery_description": "Úroveň nabitia batérie zariadenia.",
+ "gps_coordinates": "GPS súradnice",
+ "gps_accuracy_description": "Presnosť súradníc GPS.",
+ "hostname_of_the_device": "Názov hostiteľa zariadenia.",
+ "hostname": "Meno hostiteľa",
+ "mac_description": "MAC adresa zariadenia.",
+ "see": "Pozri",
+ "device_description": "ID zariadenia, ktorému sa má poslať príkaz.",
+ "delete_command": "Odstrániť príkaz",
+ "alternative": "Alternatívne",
+ "timeout_description": "Časový limit na naučenie príkazu.",
+ "learn_command": "Naučte sa príkaz",
+ "delay_seconds": "Oneskorenie v sekundách",
+ "hold_seconds": "Podržte sekundy",
+ "send_command": "Odoslať príkaz",
+ "sends_the_toggle_command": "Odošle príkaz na prepínanie.",
+ "turn_on_description": "Spustí novú úlohu čistenia.",
+ "get_weather_forecast": "Získajte predpoveď počasia.",
+ "type_description": "Typ predpovede: denná, hodinová alebo dvakrát denne.",
+ "forecast_type": "Typ predpovede",
+ "get_forecast": "Získať predpoveď",
+ "get_weather_forecasts": "Získať predpoveď počasia.",
+ "get_forecasts": "Získať predpovede",
+ "press_the_button_entity": "Stlačte tlačidlo entity.",
+ "enable_remote_access": "Povolenie vzdialeného prístupu",
+ "disable_remote_access": "Zakázanie vzdialeného prístupu",
+ "create_description": "Zobrazí oznámenie na paneli oznámení.",
+ "notification_id": "ID oznámenia",
+ "dismiss_description": "Odstráni oznámenie z panela oznámení.",
+ "notification_id_description": "ID oznámenia, ktoré sa má vymazať.",
+ "dismiss_all_description": "Odstráni všetky oznámenia z panela oznámení.",
+ "locate_description": "Vyhľadá robota vysávača.",
+ "pauses_the_cleaning_task": "Pozastaví úlohu čistenia.",
+ "send_command_description": "Odošle príkaz do vysávača.",
+ "parameters": "Parametre",
+ "set_fan_speed": "Nastavenie rýchlosti ventilátora",
+ "start_description": "Spustí alebo obnoví úlohu čistenia.",
+ "start_pause_description": "Spustí, pozastaví alebo obnoví úlohu čistenia.",
+ "stop_description": "Zastaví aktuálnu úlohu čistenia.",
+ "toggle_description": "Zapína a vypína prehrávač médií.",
+ "play_chime_description": "Prehrá vyzváňací tón na zvončeku Reolink.",
+ "target_chime": "Cieľový gong",
+ "ringtone_to_play": "Vyzváňací tón na prehrávanie.",
+ "ringtone": "Vyzváňací tón",
+ "play_chime": "Prehrať zvonček",
+ "ptz_move_description": "Pohybuje fotoaparátom určitou rýchlosťou.",
+ "ptz_move_speed": "PTZ rýchlosť pohybu.",
+ "ptz_move": "PTZ pohyb",
+ "disables_the_motion_detection": "Vypne detekciu pohybu.",
+ "disable_motion_detection": "Zakázanie detekcie pohybu",
+ "enables_the_motion_detection": "Zapne detekciu pohybu.",
+ "enable_motion_detection": "Povolenie detekcie pohybu",
+ "format_description": "Formát streamu podporovaný prehrávačom médií.",
+ "format": "Formát",
+ "media_player_description": "Prehrávače médií na streamovanie.",
+ "play_stream": "Prehrať stream",
+ "filename_description": "Úplná cesta k názvu súboru. Musí to byť mp4.",
+ "filename": "Názov súboru",
+ "lookback": "Spätné vyhľadávanie",
+ "snapshot_description": "Nasníma snímku z kamery.",
+ "full_path_to_filename": "Úplná cesta k názvu súboru.",
+ "take_snapshot": "Vytvorenie snímky",
+ "turns_off_the_camera": "Vypne kameru.",
+ "turns_on_the_camera": "Zapne kameru.",
+ "reload_resources_description": "Znovu načíta zdroje dashboardu z konfigurácie YAML.",
"clear_tts_cache": "Vymazanie vyrovnávacej pamäte TTS",
"cache": "Cache",
"language_description": "Jazyk textu. Predvolené nastavenie je jazyk servera.",
"options_description": "Slovník obsahujúci možnosti špecifické pre integráciu.",
"say_a_tts_message": "Vyslovte správu TTS",
- "media_player_entity_id_description": "Prehrávače médií na prehrávanie správy.",
"media_player_entity": "Entita prehrávača médií",
"speak": "Hovoriť",
- "reload_resources_description": "Znovu načíta zdroje dashboardu z konfigurácie YAML.",
- "toggles_the_siren_on_off": "Zapína/vypína sirénu.",
- "turns_the_siren_off": "Vypne sirénu.",
- "turns_the_siren_on": "Zapne sirénu.",
- "toggles_the_helper_on_off": "Zapína/vypína pomocníka.",
- "turns_off_the_helper": "Vypne pomocníka.",
- "turns_on_the_helper": "Zapne pomocníka.",
- "pauses_the_mowing_task": "Pozastaví úlohu kosenia.",
- "starts_the_mowing_task": "Spustí úlohu kosenia.",
+ "send_text_command": "Odoslať textový príkaz",
+ "the_target_value": "Cieľová hodnota.",
+ "removes_a_group": "Odstráni skupinu.",
+ "object_id": "ID objektu",
+ "creates_updates_a_group": "Vytvorí/aktualizuje skupinu.",
+ "add_entities": "Pridať entity",
+ "icon_description": "Názov ikony pre skupinu.",
+ "name_of_the_group": "Názov skupiny.",
+ "remove_entities": "Odstránenie entít",
+ "locks_a_lock": "Uzamkne zámok.",
+ "code_description": "Kód na aktiváciu alarmu.",
+ "opens_a_lock": "Otvorí zámok.",
+ "unlocks_a_lock": "Odomkne zámok.",
+ "announce_description": "Nechajte satelit oznámiť správu.",
+ "media_id": "ID média",
+ "the_message_to_announce": "Správa na oznámenie.",
+ "announce": "Oznámenie",
+ "reloads_the_automation_configuration": "Znovu načíta konfiguráciu automatizácie.",
+ "trigger_description": "Spúšťa činnosti automatizácie.",
+ "skip_conditions": "Preskočiť podmienky",
+ "trigger": "Spúšťač",
+ "disables_an_automation": "Zakáže automatizáciu.",
+ "stops_currently_running_actions": "Zastaví práve prebiehajúce akcie.",
+ "stop_actions": "Zastavenie akcií",
+ "enables_an_automation": "Umožňuje automatizáciu.",
+ "deletes_all_log_entries": "Vymaže všetky záznamy denníka.",
+ "write_log_entry": "Napíšte záznam do denníka.",
+ "log_level": "Úroveň denníka.",
+ "message_to_log": "Správa do denníka.",
+ "write": "Zapísať",
+ "dashboard_path": "Cesta k prístrojovému panelu",
+ "view_path": "Zobraziť cestu",
+ "show_dashboard_view": "Zobraziť zobrazenie prístrojovej dosky",
+ "process_description": "Spustí konverzáciu z prepísaného textu.",
+ "agent": "Agent",
+ "conversation_id": "ID konverzácie",
+ "transcribed_text_input": "Prepis textového vstupu.",
+ "process": "Proces",
+ "reloads_the_intent_configuration": "Znova načíta konfiguráciu zámeru.",
+ "conversation_agent_to_reload": "Agent pre konverzáciu na opätovné načítanie.",
+ "closes_a_cover": "Zatvorí kryt.",
+ "close_cover_tilt_description": "Naklonením krytu sa zatvorí.",
+ "close_tilt": "Zavrieť naklonenie",
+ "opens_a_cover": "Otvorí kryt.",
+ "tilts_a_cover_open": "Odklápa kryt.",
+ "open_tilt": "Otvorený sklon",
+ "set_cover_position_description": "Presunie kryt na konkrétnu pozíciu.",
+ "target_position": "Cieľová pozícia.",
+ "target_tilt_positition": "Cieľová poloha naklonenia.",
+ "set_tilt_position": "Nastavenie polohy sklonu",
+ "stops_the_cover_movement": "Zastaví pohyb krytu.",
+ "stop_cover_tilt_description": "Zastaví pohyb naklápacieho krytu.",
+ "stop_tilt": "Zastavenie náklonu",
+ "toggles_a_cover_open_closed": "Prepína otvorenie/zavretie krytu.",
+ "toggle_cover_tilt_description": "Prepína sklon krytu otvorený/zavretý.",
+ "toggle_tilt": "Prepínanie náklonu",
+ "turns_auxiliary_heater_on_off": "Zapnutie/vypnutie prídavného kúrenia.",
+ "aux_heat_description": "Nová hodnota prídavného ohrievača.",
+ "turn_on_off_auxiliary_heater": "Zapnutie/vypnutie prídavného ohrievača",
+ "sets_fan_operation_mode": "Nastaví režim prevádzky ventilátora.",
+ "fan_operation_mode": "Režim prevádzky ventilátora.",
+ "set_fan_mode": "Nastavenie režimu ventilátora",
+ "sets_target_humidity": "Nastaví cieľovú vlhkosť.",
+ "set_target_humidity": "Nastavenie cieľovej vlhkosti",
+ "sets_hvac_operation_mode": "Nastaví režim prevádzky HVAC.",
+ "hvac_operation_mode": "Režim prevádzky HVAC.",
+ "set_hvac_mode": "Nastavenie režimu HVAC",
+ "sets_preset_mode": "Nastaví režim predvoľby.",
+ "set_swing_horizontal_mode_description": "Nastaví režim prevádzky horizontálneho výkyvu.",
+ "horizontal_swing_operation_mode": "Prevádzkový režim horizontálneho výkyvu.",
+ "set_horizontal_swing_mode": "Nastavenie režimu horizontálneho výkyvu",
+ "sets_swing_operation_mode": "Nastaví režim prevádzky výkyvu.",
+ "swing_operation_mode": "Prevádzkový režim výkyvu.",
+ "set_swing_mode": "Nastavenie režimu klapky",
+ "sets_the_temperature_setpoint": "Nastaví požadovanú hodnotu teploty.",
+ "the_max_temperature_setpoint": "Maximálna požadovaná hodnota teploty.",
+ "the_min_temperature_setpoint": "Minimálna požadovaná hodnota teploty.",
+ "the_temperature_setpoint": "Nastavená hodnota teploty.",
+ "set_target_temperature": "Nastavenie cieľovej teploty",
+ "turns_climate_device_off": "Vypne klimatizačné zariadenie.",
+ "turns_climate_device_on": "Zapnutie klimatizačného zariadenia.",
+ "apply_filter": "Použiť filter",
+ "days_to_keep": "Dni na uchovanie",
+ "repack": "Prebalenie",
+ "purge": "Vyčistiť",
+ "domains_to_remove": "Domény na odstránenie",
+ "entity_globs_to_remove": "Globy entít, ktoré sa majú odstrániť",
+ "entities_to_remove": "Entity na odstránenie",
+ "purge_entities": "Vyčistiť entity",
+ "clear_playlist_description": "Odstráni všetky položky zo zoznamu skladieb.",
+ "clear_playlist": "Vymazať zoznam skladieb",
+ "selects_the_next_track": "Vyberie ďalšiu skladbu.",
+ "pauses": "Pauzy.",
+ "starts_playing": "Spustí sa prehrávanie.",
+ "toggles_play_pause": "Prepína prehrávanie/pozastavenie.",
+ "selects_the_previous_track": "Vyberie predchádzajúcu skladbu.",
+ "seek": "Vyhľadať",
+ "stops_playing": "Zastaviť prehrávanie.",
+ "starts_playing_specified_media": "Spustí prehrávanie určeného média.",
+ "enqueue": "Zaradiť do fronty",
+ "repeat_mode_to_set": "Nastavenie režimu opakovania.",
+ "select_sound_mode_description": "Výber konkrétneho zvukového režimu.",
+ "select_sound_mode": "Výber režimu zvuku",
+ "select_source": "Vyberte zdroj",
+ "shuffle_description": "Či je alebo nie je zapnutý režim náhodného výberu.",
+ "unjoin": "Odpojiť",
+ "turns_down_the_volume": "Zníži hlasitosť.",
+ "turn_down_volume": "Zníženie hlasitosti",
+ "volume_mute_description": "Stlmí alebo zruší stlmenie prehrávača médií.",
+ "is_volume_muted_description": "Definuje, či je alebo nie je stlmený.",
+ "mute_unmute_volume": "Stlmenie/zrušenie stlmenia hlasitosti",
+ "sets_the_volume_level": "Nastaví úroveň hlasitosti.",
+ "set_volume": "Nastavenie hlasitosti",
+ "turns_up_the_volume": "Zvýši hlasitosť.",
+ "turn_up_volume": "Zvýšenie hlasitosti",
"restarts_an_add_on": "Reštartuje doplnok.",
"the_add_on_to_restart": "Doplnok na reštartovanie.",
"restart_add_on": "Reštartovať doplnok",
@@ -3338,40 +3828,6 @@
"restore_partial_description": "Obnovuje z čiastočnej zálohy.",
"restores_home_assistant": "Obnoví funkciu Home Assistant.",
"restore_from_partial_backup": "Obnovenie z čiastočnej zálohy",
- "decrease_speed_description": "Zníži rýchlosť ventilátora.",
- "decrease_speed": "Zníženie rýchlosti",
- "increase_speed_description": "Zvyšuje rýchlosť ventilátora.",
- "increase_speed": "Zvýšenie rýchlosti",
- "oscillate_description": "Ovláda osciláciu ventilátora.",
- "turns_oscillation_on_off": "Zapnutie/vypnutie oscilácie.",
- "set_direction_description": "Nastavuje smer otáčania ventilátora.",
- "direction_description": "Smer otáčania ventilátora.",
- "set_direction": "Nastavenie smeru",
- "set_percentage_description": "Nastavuje rýchlosť ventilátora.",
- "speed_of_the_fan": "Rýchlosť ventilátora.",
- "percentage": "Percento",
- "set_speed": "Nastavenie rýchlosti",
- "sets_preset_fan_mode": "Nastavuje predvolený režim ventilátora.",
- "preset_fan_mode": "Predvolený režim ventilátora.",
- "toggles_a_fan_on_off": "Zapína/vypína ventilátor.",
- "turns_fan_off": "Vypne ventilátor.",
- "turns_fan_on": "Zapne ventilátor.",
- "get_weather_forecast": "Získajte predpoveď počasia.",
- "type_description": "Typ predpovede: denná, hodinová alebo dvakrát denne.",
- "forecast_type": "Typ predpovede",
- "get_forecast": "Získať predpoveď",
- "get_weather_forecasts": "Získať predpoveď počasia.",
- "get_forecasts": "Získať predpovede",
- "clear_skipped_update": "Vymazať vynechanú aktualizáciu",
- "install_update": "Inštalácia aktualizácie",
- "skip_description": "Označí aktuálne dostupnú aktualizáciu ako preskočenú.",
- "skip_update": "Vynechať aktualizáciu",
- "code_description": "Kód používaný na odomknutie zámku.",
- "arm_with_custom_bypass": "Zabezpečiť s vlastným bypassom",
- "alarm_arm_vacation_description": "Nastaví budík na: _armed pre vacation_.",
- "disarms_the_alarm": "Deaktivuje alarm.",
- "trigger_the_alarm_manually": "Spustite alarm manuálne.",
- "trigger": "Spúšťač",
"selects_the_first_option": "Vyberie prvú možnosť.",
"first": "Prvý",
"selects_the_last_option": "Vyberie poslednú možnosť.",
@@ -3379,75 +3835,16 @@
"selects_an_option": "Vyberie možnosť.",
"option_to_be_selected": "Možnosť výberu.",
"selects_the_previous_option": "Vyberie predchádzajúcu možnosť.",
- "disables_the_motion_detection": "Vypne detekciu pohybu.",
- "disable_motion_detection": "Zakázanie detekcie pohybu",
- "enables_the_motion_detection": "Zapne detekciu pohybu.",
- "enable_motion_detection": "Povolenie detekcie pohybu",
- "format_description": "Formát streamu podporovaný prehrávačom médií.",
- "format": "Formát",
- "media_player_description": "Prehrávače médií na streamovanie.",
- "play_stream": "Prehrať stream",
- "filename_description": "Úplná cesta k názvu súboru. Musí to byť mp4.",
- "filename": "Názov súboru",
- "lookback": "Spätné vyhľadávanie",
- "snapshot_description": "Nasníma snímku z kamery.",
- "full_path_to_filename": "Úplná cesta k názvu súboru.",
- "take_snapshot": "Vytvorenie snímky",
- "turns_off_the_camera": "Vypne kameru.",
- "turns_on_the_camera": "Zapne kameru.",
- "press_the_button_entity": "Stlačte tlačidlo entity.",
+ "add_event_description": "Pridá novú udalosť kalendára.",
+ "location_description": "Miesto udalosti. Voliteľné.",
"start_date_description": "Dátum začiatku celodenného podujatia.",
+ "create_event": "Vytvoriť udalosť",
"get_events": "Získať udalosti",
- "sets_the_options": "Nastaví možnosti.",
- "list_of_options": "Zoznam možností.",
- "set_options": "Nastaviť možnosti",
- "closes_a_cover": "Zatvorí kryt.",
- "close_cover_tilt_description": "Naklonením krytu sa zatvorí.",
- "close_tilt": "Zavrieť naklonenie",
- "opens_a_cover": "Otvorí kryt.",
- "tilts_a_cover_open": "Odklápa kryt.",
- "open_tilt": "Otvorený sklon",
- "set_cover_position_description": "Presunie kryt na konkrétnu pozíciu.",
- "target_tilt_positition": "Cieľová poloha naklonenia.",
- "set_tilt_position": "Nastavenie polohy sklonu",
- "stops_the_cover_movement": "Zastaví pohyb krytu.",
- "stop_cover_tilt_description": "Zastaví pohyb naklápacieho krytu.",
- "stop_tilt": "Zastavenie náklonu",
- "toggles_a_cover_open_closed": "Prepína otvorenie/zavretie krytu.",
- "toggle_cover_tilt_description": "Prepína sklon krytu otvorený/zavretý.",
- "toggle_tilt": "Prepínanie náklonu",
- "request_sync_description": "Odošle príkaz request_sync spoločnosti Google.",
- "agent_user_id": "ID používateľa agenta",
- "request_sync": "Žiadosť o synchronizáciu",
- "log_description": "Vytvorí vlastný záznam v denníku.",
- "message_description": "Telo správy oznámenia.",
- "log": "Log",
- "enter_your_text": "Zadajte svoj text.",
- "set_value": "Nastavená hodnota",
- "topic_to_listen_to": "Téma na počúvanie.",
- "export": "Export",
- "publish_description": "Publikuje správu do témy MQTT.",
- "evaluate_payload": "Vyhodnotenie užitočného zaťaženia",
- "the_payload_to_publish": "Užitočné zaťaženie, ktoré sa má zverejniť.",
- "payload": "Zaťaženie",
- "payload_template": "Šablóna užitočného zaťaženia",
- "qos": "QoS",
- "retain": "Zachovať",
- "topic_to_publish_to": "Téma na zverejnenie.",
- "publish": "Publikovať",
- "reloads_the_automation_configuration": "Znovu načíta konfiguráciu automatizácie.",
- "trigger_description": "Spúšťa činnosti automatizácie.",
- "skip_conditions": "Preskočiť podmienky",
- "disables_an_automation": "Zakáže automatizáciu.",
- "stops_currently_running_actions": "Zastaví práve prebiehajúce akcie.",
- "stop_actions": "Zastavenie akcií",
- "enables_an_automation": "Umožňuje automatizáciu.",
- "enable_remote_access": "Povolenie vzdialeného prístupu",
- "disable_remote_access": "Zakázanie vzdialeného prístupu",
- "set_default_level_description": "Nastaví predvolenú úroveň protokolu pre integrácie.",
- "level_description": "Predvolená úroveň závažnosti pre všetky integrácie.",
- "set_default_level": "Nastavenie predvolenej úrovne",
- "set_level": "Nastaviť úroveň",
+ "closes_a_valve": "Zatvorí ventil.",
+ "opens_a_valve": "Otvorí ventil.",
+ "set_valve_position_description": "Presunie ventil do určitej polohy.",
+ "stops_the_valve_movement": "Zastaví pohyb ventilu.",
+ "toggles_a_valve_open_closed": "Prepína ventil otvorený/zavretý.",
"bridge_identifier": "Identifikátor mosta",
"configuration_payload": "Konfiguračné užitočné zaťaženie",
"entity_description": "Predstavuje konkrétny koncový bod zariadenia v systéme deCONZ.",
@@ -3456,82 +3853,31 @@
"device_refresh_description": "Obnoví dostupné zariadenia z deCONZ.",
"device_refresh": "Obnovenie zariadenia",
"remove_orphaned_entries": "Odstránenie osirelých položiek",
- "locate_description": "Vyhľadá robota vysávača.",
- "pauses_the_cleaning_task": "Pozastaví úlohu čistenia.",
- "send_command_description": "Odošle príkaz do vysávača.",
- "command_description": "Príkaz(y) na odoslanie Asistentovi Google.",
- "parameters": "Parametre",
- "set_fan_speed": "Nastavenie rýchlosti ventilátora",
- "start_description": "Spustí alebo obnoví úlohu čistenia.",
- "start_pause_description": "Spustí, pozastaví alebo obnoví úlohu čistenia.",
- "stop_description": "Zastaví aktuálnu úlohu čistenia.",
- "output_path": "Výstupná cesta",
- "trigger_a_node_red_flow": "Spustenie priebehu Node-RED",
- "toggles_a_switch_on_off": "Zapína/vypína prepínač.",
- "turns_a_switch_off": "Vypne vypínač.",
- "turns_a_switch_on": "Zapne vypínač.",
+ "calendar_id_description": "Id požadovaného kalendára.",
+ "calendar_id": "ID kalendára",
+ "description_description": "Popis udalosti. Voliteľné.",
+ "summary_description": "Slúži ako názov udalosti.",
"extract_media_url_description": "Extrahujte adresu URL média zo služby.",
"format_query": "Formátovať dotaz",
"url_description": "URL, kde možno nájsť médiá.",
"media_url": "Adresa URL média",
"get_media_url": "Získanie adresy URL médií",
"play_media_description": "Stiahne súbor z danej adresy URL.",
- "notify_description": "Odošle notifikačnú správu vybraným cieľom.",
- "data": "Údaje",
- "title_of_the_notification": "Názov oznámenia.",
- "send_a_persistent_notification": "Odoslanie trvalého oznámenia",
- "sends_a_notification_message": "Odošle notifikačnú správu.",
- "your_notification_message": "Vaša notifikačná správa.",
- "title_description": "Voliteľný názov oznámenia.",
- "send_a_notification_message": "Odoslanie notifikačnej správy",
- "process_description": "Spustí konverzáciu z prepísaného textu.",
- "agent": "Agent",
- "conversation_id": "ID konverzácie",
- "transcribed_text_input": "Prepis textového vstupu.",
- "process": "Proces",
- "reloads_the_intent_configuration": "Znova načíta konfiguráciu zámeru.",
- "conversation_agent_to_reload": "Agent pre konverzáciu na opätovné načítanie.",
- "play_chime_description": "Prehrá vyzváňací tón na zvončeku Reolink.",
- "target_chime": "Cieľový gong",
- "ringtone_to_play": "Vyzváňací tón na prehrávanie.",
- "ringtone": "Vyzváňací tón",
- "play_chime": "Prehrať zvonček",
- "ptz_move_description": "Pohybuje fotoaparátom určitou rýchlosťou.",
- "ptz_move_speed": "PTZ rýchlosť pohybu.",
- "ptz_move": "PTZ pohyb",
- "send_magic_packet": "Odoslanie magického paketu",
- "send_text_command": "Odoslať textový príkaz",
- "announce_description": "Nechajte satelit oznámiť správu.",
- "media_id": "ID média",
- "the_message_to_announce": "Správa na oznámenie.",
- "deletes_all_log_entries": "Vymaže všetky záznamy denníka.",
- "write_log_entry": "Napíšte záznam do denníka.",
- "log_level": "Úroveň denníka.",
- "message_to_log": "Správa do denníka.",
- "write": "Zapísať",
- "locks_a_lock": "Uzamkne zámok.",
- "opens_a_lock": "Otvorí zámok.",
- "unlocks_a_lock": "Odomkne zámok.",
- "removes_a_group": "Odstráni skupinu.",
- "object_id": "ID objektu",
- "creates_updates_a_group": "Vytvorí/aktualizuje skupinu.",
- "add_entities": "Pridať entity",
- "icon_description": "Názov ikony pre skupinu.",
- "name_of_the_group": "Názov skupiny.",
- "remove_entities": "Odstránenie entít",
- "stops_a_running_script": "Zastaví spustený skript.",
- "create_description": "Zobrazí oznámenie na paneli oznámení.",
- "notification_id": "ID oznámenia",
- "dismiss_description": "Odstráni oznámenie z panela oznámení.",
- "notification_id_description": "ID oznámenia, ktoré sa má vymazať.",
- "dismiss_all_description": "Odstráni všetky oznámenia z panela oznámení.",
- "load_url_description": "Načíta adresu URL v prehliadači Fully Kiosk.",
- "url_to_load": "URL na načítanie.",
- "load_url": "Načítať URL",
- "configuration_parameter_to_set": "Konfiguračný parameter na nastavenie.",
- "key": "Kľúč",
- "set_configuration": "Nastavenie konfigurácie",
- "application_description": "Názov balíka aplikácie, ktorá sa má spustiť.",
- "application": "Aplikácia",
- "start_application": "Spustenie aplikácie"
+ "sets_the_options": "Nastaví možnosti.",
+ "list_of_options": "Zoznam možností.",
+ "set_options": "Nastaviť možnosti",
+ "arm_with_custom_bypass": "Zabezpečiť s vlastným bypassom",
+ "alarm_arm_vacation_description": "Nastaví budík na: _armed pre vacation_.",
+ "disarms_the_alarm": "Deaktivuje alarm.",
+ "trigger_the_alarm_manually": "Spustite alarm manuálne.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Ukončí spustený časovač skôr, ako je naplánované.",
+ "duration_description": "Vlastné trvanie na reštartovanie časovača.",
+ "toggles_a_switch_on_off": "Zapína/vypína prepínač.",
+ "turns_a_switch_off": "Vypne vypínač.",
+ "turns_a_switch_on": "Zapne vypínač."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/sl/sl.json b/packages/core/src/hooks/useLocale/locales/sl/sl.json
index 8ad8425b..ca815ccd 100644
--- a/packages/core/src/hooks/useLocale/locales/sl/sl.json
+++ b/packages/core/src/hooks/useLocale/locales/sl/sl.json
@@ -36,7 +36,7 @@
"turn_on": "Turn on",
"turn_off": "Turn off",
"toggle": "Toggle",
- "code": "Koda",
+ "code": "Code",
"clear": "Clear",
"arm": "Arm",
"arm_home": "Arm home",
@@ -62,7 +62,7 @@
"name_heating": "{name} ogrevanje",
"name_cooling": "{name} hlajenje",
"high": "High",
- "on": "Vklopljeno",
+ "low": "Vklopljeno",
"mode": "Način",
"preset": "Prednastavitev",
"action_to_target": "{action} to target",
@@ -133,7 +133,7 @@
"cancel": "Cancel",
"cancel_number": "Prekliči {number}",
"cancel_all": "Cancel all",
- "idle": "Idle",
+ "idle": "Nedejaven",
"run_script": "Run script",
"option": "Option",
"installing": "Nameščanje",
@@ -241,7 +241,7 @@
"selector_options": "Selector Options",
"action": "Action",
"area": "Area",
- "attribute": "Atribut",
+ "attribute": "Attribute",
"boolean": "Boolean",
"condition": "Condition",
"date": "Date",
@@ -286,12 +286,12 @@
"was_connected": "was connected",
"was_disconnected": "was disconnected",
"was_opened": "was opened",
- "closed": "Zaprto",
+ "was_closed": "Zaprto",
"is_opening": "se odpira",
"is_opened": "is opened",
"is_closing": "se zapira",
"was_unlocked": "was unlocked",
- "was_locked": "Zaklenjeno",
+ "locked": "Zaklenjeno",
"is_unlocking": "se odklepa",
"is_locking": "se zaklepa",
"is_jammed": "je zagozden",
@@ -340,12 +340,12 @@
"sort_by_sortcolumn": "Razvrsti po {sortColumn}",
"group_by_groupcolumn": "Združi po {groupColumn}",
"don_t_group": "Ne združi",
- "collapse_all": "Collapse all",
- "expand_all": "Expand all",
+ "collapse_all": "Strni vse",
+ "expand_all": "Razširi vse",
"selected_selected": "Izbrano {selected}",
"select_all": "Izberi vse",
"select_none": "Izberi nič",
- "customize_table": "Customize table",
+ "customize_table": "Prilagodite tabelo",
"ui_components_subpage_data_table_close_select_mode": "Zapri izbirni način",
"conversation_agent": "Agent za pogovore",
"none": "Brez",
@@ -379,18 +379,18 @@
"failed_to_create_category": "Failed to create category.",
"show_labels": "Show labels",
"label": "Label",
- "labels": "Etikete",
+ "labels": "Oznake",
"add_label": "Dodaj oznako",
"add_new_label_name": "Add new label ''{name}''",
"add_new_label": "Add new label…",
- "label_picker_no_labels": "You don't have any labels",
+ "label_picker_no_labels": "Nimate nobenih oznak",
"no_matching_labels_found": "No matching labels found",
"show_areas": "Prikaži območja",
"add_new_area_name": "Dodajanje novega območja ''{name}''",
"add_new_area": "Dodajanje novega območja…",
"area_picker_no_areas": "Nimate območji",
"no_matching_areas_found": "Ni ustreznih območji",
- "unassigned_areas": "Unassigned areas",
+ "unassigned_areas": "Nerazporejena območja",
"failed_to_create_area": "Napaka pri kreiranju območja.",
"ui_components_area_picker_add_dialog_failed_create_area": "Območja ni bilo mogoče ustvariti.",
"ui_components_area_picker_add_dialog_name": "Ime",
@@ -430,12 +430,12 @@
"uploading": "Uploading...",
"uploading_name": "Uploading {name}",
"add_file": "Add file",
- "file_upload_secondary": "Or drop your file here",
+ "file_upload_secondary": "Ali pa spustite svojo datoteko sem",
"add_picture": "Dodaj sliko",
"clear_picture": "Clear picture",
"current_picture": "Current picture",
"picture_upload_supported_formats": "Supports JPEG, PNG, or GIF image.",
- "picture_upload_secondary": "Drop your file here or {select_media}",
+ "picture_upload_secondary": "Spustite svojo datoteko sem ali {select_media}",
"select_from_media": "select from media",
"state_color": "State color",
"no_color": "No color",
@@ -515,7 +515,7 @@
"filtering_by": "Filtriranje po",
"number_hidden": "{number} skrito",
"ungrouped": "Negrupirano",
- "customize": "Customize",
+ "customize": "Prilagodi",
"hide_column_title": "Hide column {title}",
"show_column_title": "Show column {title}",
"restore_defaults": "Povrni privzeto",
@@ -581,7 +581,7 @@
"item_not_all_required_fields": "Not all required fields are filled in",
"confirm_delete_prompt": "Do you want to delete this item?",
"my_calendars": "Moji koledarji",
- "create_calendar": "Create calendar",
+ "create_calendar": "Ustvari koledar",
"calendar_event_retrieval_error": "Dogodkov za koledarje ni bilo mogoče pridobiti:",
"add_event": "Add event",
"delete_event": "Izbriši dogodek",
@@ -613,7 +613,8 @@
"fri": "Pet",
"sat": "Sob",
"after": "Po",
- "end_on": "Konec ob",
+ "on": "Vkl.",
+ "end_on": "Konec na",
"end_after": "Konec po",
"occurrences": "occurrences",
"every": "vsak",
@@ -717,7 +718,7 @@
"voice_command_error": "Ups, prišlo je do napake",
"voice_command_conversation_no_control": "This assistant cannot control your home.",
"how_can_i_assist": "Kako lahko pomagam?",
- "enter_a_request": "Enter a request",
+ "enter_a_request": "Vnesite zahtevo",
"send_text": "Send text",
"start_listening": "Start listening",
"manage_assistants": "Manage assistants",
@@ -750,7 +751,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Pred posodabljanjem ustvari varnostno kopijo",
"update_instructions": "Navodila za posodabitev",
"current_activity": "Current activity",
- "status": "Stanje",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Ukazi sesalnika:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -869,12 +870,12 @@
"restart_home_assistant": "Ponovni zagon Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Hitri ponovni zagon",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Ponovno nalaganje konfiguracije",
"failed_to_reload_configuration": "Ponovno nalaganje konfiguracije ni uspelo",
"restart_description": "Prekinitev vseh zagnanih avtomatizacij in skript.",
"restart_failed": "Napaka pri ponovnem zagonu Home Assistant",
- "stop_home_assistant": "Stop Home Assistant?",
+ "stop_home_assistant": "Želite ustaviti Home Assistant?",
"reboot_system": "Ponovni zagon sistema?",
"reboot": "Ponovni zagon",
"rebooting_system": "Izvajanje ponovnega zagona sistema",
@@ -899,8 +900,8 @@
"password": "Password",
"regex_pattern": "Regex pattern",
"used_for_client_side_validation": "Used for client-side validation",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Vnosno polje",
"slider": "Slider",
"step_size": "Velikost koraka",
@@ -945,7 +946,7 @@
"ui_dialogs_zha_device_info_confirmations_remove": "Ali ste prepričani, da želite odstraniti napravo?",
"quirk": "Posebnost",
"last_seen": "Nazadnje viden",
- "power_source": "Vir napajanja",
+ "power_source": "Power source",
"change_device_name": "Spremenite ime naprave",
"device_debug_info": "{device} debug info",
"mqtt_device_debug_info_deserialize": "Poskus razčlenitve sporočil MQTT kot JSON",
@@ -1017,7 +1018,7 @@
"friday": "Friday",
"saturday": "Saturday",
"sunday": "Sunday",
- "visual_editor_not_supported": "Visual editor not supported",
+ "visual_editor_not_supported": "Vizualni urejevalnik ni podprt",
"configuration_error": "Configuration error",
"no_type_provided": "Tip ni definiran",
"config_key_missing": "Manjka zahtevani ključ \"{key} \".",
@@ -1211,7 +1212,7 @@
"move_to_dashboard": "Move to dashboard",
"card_configuration": "Nastavitve kartice",
"type_card_configuration": "{type} Card configuration",
- "edit_card_pick_card": "Katero kartico želite dodati?",
+ "edit_card_pick_card": "Which card would you like to add?",
"toggle_editor": "Toggle editor",
"you_have_unsaved_changes": "You have unsaved changes",
"edit_card_confirm_cancel": "Ali ste prepričani, da želite preklicati?",
@@ -1414,6 +1415,7 @@
"hide_state": "Skrij stanje",
"ui_panel_lovelace_editor_card_tile_actions": "Dejanja",
"ui_panel_lovelace_editor_card_tile_default_color": "Privzeta barva (stanje)",
+ "ui_panel_lovelace_editor_card_tile_state_content_options_state": "Stanje",
"vertical_stack": "Navpični sklad",
"weather_forecast": "Vremenska napoved",
"weather_to_show": "Vreme za prikaz",
@@ -1441,7 +1443,7 @@
"cover_tilt": "Cover tilt",
"cover_tilt_position": "Cover tilt position",
"alarm_modes": "Alarm modes",
- "customize_alarm_modes": "Customize alarm modes",
+ "customize_alarm_modes": "Prilagodite načine alarma",
"light_brightness": "Light brightness",
"light_color_temperature": "Light color temperature",
"lock_commands": "Lock commands",
@@ -1452,30 +1454,30 @@
"climate_fan_modes": "Climate fan modes",
"dropdown": "Dropdown",
"icons": "Icons",
- "customize_fan_modes": "Customize fan modes",
+ "customize_fan_modes": "Prilagodite načine ventilatorja",
"fan_modes": "Fan modes",
"climate_swing_modes": "Climate swing modes",
"swing_modes": "Načini nihanja",
- "customize_swing_modes": "Customize swing modes",
+ "customize_swing_modes": "Prilagodite načine nihanja",
"climate_horizontal_swing_modes": "Climate horizontal swing modes",
"horizontal_swing_modes": "Horizontal swing modes",
- "customize_horizontal_swing_modes": "Customize horizontal swing modes",
+ "customize_horizontal_swing_modes": "Prilagodite načine vodoravnega nihanja",
"climate_hvac_modes": "Climate HVAC modes",
"hvac_modes": "HVAC modes",
- "customize_hvac_modes": "Customize HVAC modes",
+ "customize_hvac_modes": "Prilagodite načine HVAC",
"climate_preset_modes": "Climate preset modes",
"customize_preset_modes": "Customize preset modes",
"preset_modes": "Preset modes",
"fan_preset_modes": "Fan preset modes",
"humidifier_toggle": "Humidifier toggle",
"humidifier_modes": "Humidifier modes",
- "customize_modes": "Customize modes",
+ "customize_modes": "Prilagodite načine",
"select_options": "Select options",
- "customize_options": "Customize options",
+ "customize_options": "Prilagodite možnosti",
"numeric_input": "Numeric input",
"water_heater_operation_modes": "Water heater operation modes",
"operation_modes": "Operation modes",
- "customize_operation_modes": "Customize operation modes",
+ "customize_operation_modes": "Prilagodite načine delovanja",
"update_actions": "Update actions",
"backup": "Backup",
"ask": "Ask",
@@ -1530,144 +1532,124 @@
"invalid_display_format": "Neveljavna oblika prikaza",
"compare_data": "Primerjava podatkov",
"reload_ui": "Znova naloži uporabniški vmesnik",
- "tag": "Tags",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "tag": "Tags",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climate",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climate",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
+ "closed": "Closed",
"overheated": "Overheated",
"temperature_warning": "Temperature warning",
"update_available": "Na voljo je posodobitev",
@@ -1692,6 +1674,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1717,31 +1700,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Next dawn",
- "next_dusk": "Next dusk",
- "next_midnight": "Next midnight",
- "next_noon": "Next noon",
- "next_rising": "Next rising",
- "next_setting": "Next setting",
- "solar_azimuth": "Solarni azimut",
- "solar_elevation": "Solar elevation",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Nezaprt alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1763,34 +1731,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPE odstotek",
- "disk_free": "Prosti disk",
- "disk_total": "Skupaj disk",
- "disk_used": "Uporabljen disk",
- "memory_percent": "Odstotek pomnilnika",
- "version": "Version",
- "newest_version": "Najnovejša različica",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Priključen",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Zaznano",
"animal_lens": "Animal lens 1",
@@ -1863,6 +1873,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Izključeno",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1913,7 +1924,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1930,6 +1940,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPE odstotek",
+ "disk_free": "Prosti disk",
+ "disk_total": "Skupaj disk",
+ "disk_used": "Uporabljen disk",
+ "memory_percent": "Odstotek pomnilnika",
+ "version": "Version",
+ "newest_version": "Najnovejša različica",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Next dawn",
+ "next_dusk": "Next dusk",
+ "next_midnight": "Next midnight",
+ "next_noon": "Next noon",
+ "next_rising": "Next rising",
+ "next_setting": "Next setting",
+ "solar_azimuth": "Solarni azimut",
+ "solar_elevation": "Solar elevation",
+ "solar_rising": "Solar rising",
"heavy": "Težko",
"mild": "Blago",
"button_down": "Button down",
@@ -1947,73 +2000,251 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Nezaprt alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Priključen",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Paused",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -2046,83 +2277,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Samo ventilacija",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Current humidity",
- "current_temperature": "Current Temperature",
- "fan_mode": "Prezračevanje",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Current action",
- "cooling": "Hlajenje",
- "defrosting": "Defrosting",
- "drying": "Sušenje",
- "heating": "Ogrevanje",
- "preheating": "Preheating",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Način nihanja",
- "both": "Oboje",
- "horizontal": "Vodoravno",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Se ne polni",
- "disconnected": "Prekinjena povezava",
- "hot": "Vroče",
- "no_light": "Ni svetlobe",
- "light_detected": "Zaznana svetloba",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "Brez gibanja",
- "unplugged": "Izključeno",
- "not_running": "Ne deluje",
- "safe": "Varno",
- "unsafe": "Nevarno",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Above horizon",
- "below_horizon": "Below horizon",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "Prvič",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2138,13 +2298,36 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "available_tones": "Available tones",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Zagon avtomatizacije",
+ "max_running_scripts": "Največje število zagnanih skript",
+ "run_mode": "Način delovanja",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Nameščena verzija",
+ "latest_version": "Zadnja verzija",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Jasno, noč",
"cloudy": "Oblačno",
"exceptional": "Izredno",
@@ -2167,26 +2350,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Nameščena verzija",
- "latest_version": "Zadnja verzija",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Vklopljen (Odsoten)",
- "armed_custom_bypass": "Vklopljen (Obhod)",
- "armed_home": "Vklopljen (Doma)",
- "armed_night": "Vklopljen (Nočno)",
- "armed_vacation": "Vklopljen (Počitnice)",
- "disarming": "Disarming",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2195,96 +2361,142 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locking": "Locking",
+ "unlocked": "Odklenjeno",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Največje število zagnanih avtomatizacij",
+ "cool": "Cool",
+ "fan_only": "Samo ventilacija",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Current humidity",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Prezračevanje",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Current action",
+ "cooling": "Hlajenje",
+ "defrosting": "Defrosting",
+ "drying": "Sušenje",
+ "heating": "Ogrevanje",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Način nihanja",
+ "both": "Oboje",
+ "horizontal": "Vodoravno",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Se ne polni",
+ "disconnected": "Prekinjena povezava",
+ "hot": "Vroče",
+ "no_light": "Ni svetlobe",
+ "light_detected": "Zaznana svetloba",
+ "not_moving": "Brez gibanja",
+ "not_running": "Ne deluje",
+ "safe": "Varno",
+ "unsafe": "Nevarno",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "Prvič",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Največje število zagnanih avtomatizacij",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Največje število zagnanih skript",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Povezava ni uspela",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Above horizon",
+ "below_horizon": "Below horizon",
+ "armed_away": "Vklopljen (Odsoten)",
+ "armed_custom_bypass": "Vklopljen (Obhod)",
+ "armed_home": "Vklopljen (Doma)",
+ "armed_night": "Vklopljen (Nočno)",
+ "armed_vacation": "Vklopljen (Počitnice)",
+ "disarming": "Disarming",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
"camera_stream_authentication_failed": "Camera stream authentication failed",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "Enable camera live view",
- "username": "Uporabniško ime",
+ "username": "Username",
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2292,68 +2504,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Nastavite Daikin klimo",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Dvofaktorska koda",
+ "two_factor_authentication": "Dvofaktorska avtentikacija",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Prijava s računom Ring",
+ "abort_alternative_integration": "Naprava je bolje podprta z drugo integracijo",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2380,48 +2551,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Most je že nastavljen",
- "no_deconz_bridges_discovered": "Ni odkritih mostov deCONZ",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Posodobljen deCONZ z novim naslovom gostitelja",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Ključa API ni mogoče dobiti",
- "link_with_deconz": "Povezava z deCONZ",
- "select_discovered_deconz_gateway": "Izberite odkrit prehod deCONZ",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Odkrita ESPHome vozlišča",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Naprava je bolje podprta z drugo integracijo",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Nastavite Daikin klimo",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorološki institut",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Dvofaktorska koda",
- "two_factor_authentication": "Dvofaktorska avtentikacija",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Prijava s računom Ring",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2429,155 +2599,135 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Dostop Home Assistant do Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Odkrita ESPHome vozlišča",
+ "bridge_is_already_configured": "Most je že nastavljen",
+ "no_deconz_bridges_discovered": "Ni odkritih mostov deCONZ",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Posodobljen deCONZ z novim naslovom gostitelja",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Ključa API ni mogoče dobiti",
+ "link_with_deconz": "Povezava z deCONZ",
+ "select_discovered_deconz_gateway": "Izberite odkrit prehod deCONZ",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Naprave, ki se napajajo z baterijo, naj ne bodo na voljo po (sekundah)",
+ "zha_options_consider_unavailable_mains": "Naprave z električnim napajanjem štejejo za nerazpoložljive po (sekundah)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
"broker_options": "Broker options",
"enable_birth_message": "Enable birth message",
"birth_message_payload": "Birth message payload",
@@ -2593,13 +2743,44 @@
"will_message_topic": "Will message topic",
"data_description_discovery": "Option to enable MQTT automatic discovery.",
"mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Dovoli deCONZ CLIP senzorje",
- "allow_deconz_light_groups": "Dovolite deCONZ skupine luči",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Konfiguracija vidnosti tipov naprav deCONZ",
- "deconz_options": "možnosti deCONZ",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2607,26 +2788,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Dovoli deCONZ CLIP senzorje",
+ "allow_deconz_light_groups": "Dovolite deCONZ skupine luči",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Konfiguracija vidnosti tipov naprav deCONZ",
+ "deconz_options": "možnosti deCONZ",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
+ "data_calendar_access": "Dostop Home Assistant do Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2721,6 +2987,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Zmanjšajte svetlost {entity_name}",
+ "increase_entity_name_brightness": "Povečajte svetlost {entity_name}",
+ "flash_entity_name": "Osvetli (pobliskaj) {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} je posodobljen",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "Prvi gumb",
+ "second_button": "Drugi gumb",
+ "third_button": "Tretji gumb",
+ "fourth_button": "Četrti gumb",
+ "fifth_button": "Peti gumb",
+ "sixth_button": "Šesti gumb",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" gumb sproščen po dolgem pritisku",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} je doma",
+ "entity_name_is_not_home": "{entity_name} ni doma",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} je pritisnjena",
+ "let_entity_name_clean": "Naj {entity_name} čisti",
+ "action_type_dock": "Pustite, da se {entity_name} vrne na dok",
+ "entity_name_is_cleaning": "{entity_name} čisti",
+ "entity_name_is_docked": "{entity_name} je priključen",
+ "entity_name_started_cleaning": "{entity_name} začel čiščenje",
+ "entity_name_docked": "{entity_name} priključen",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Zakleni {entity_name}",
+ "open_entity_name": "Odprite {entity_name}",
+ "unlock_entity_name": "Odkleni {entity_name}",
+ "entity_name_is_locked": "{entity_name} je zaklenjen",
+ "entity_name_is_open": "{entity_name} je odprt",
+ "entity_name_is_unlocked": "{entity_name} je odklenjen",
+ "entity_name_locked": "{entity_name} zaklenjen",
+ "entity_name_opened": "{entity_name} odprl",
+ "entity_name_unlocked": "{entity_name} odklenjen",
"action_type_set_hvac_mode": "Spremeni način HVAC na {entity_name}",
"change_preset_on_entity_name": "Spremenite prednastavitev na {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2728,8 +3047,20 @@
"entity_name_measured_humidity_changed": "{entity_name} spremenjena izmerjena vlažnost",
"entity_name_measured_temperature_changed": "{entity_name} izmerjena temperaturna sprememba",
"entity_name_hvac_mode_changed": "{entity_name} HVAC način spremenjen",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Zapri {entity_name}",
+ "close_entity_name_tilt": "Zapri {entity_name} nagib",
+ "open_entity_name_tilt": "Odprite {entity_name} nagib",
+ "set_entity_name_position": "Nastavite položaj {entity_name}",
+ "set_entity_name_tilt_position": "Nastavite {entity_name} nagibni položaj",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} je zaprt",
+ "entity_name_closing": "{entity_name} se zapira/jo",
+ "entity_name_opening": "{entity_name} se odpira/jo",
+ "current_entity_name_position_is": "Trenutna pozicija {entity_name} je",
+ "condition_type_is_tilt_position": "Trenutni položaj nagiba {entity_name} je",
+ "entity_name_closed": "{entity_name} zaprto",
+ "entity_name_position_changes": "{entity_name} spremembe položaja",
+ "entity_name_tilt_position_changes": "{entity_name} spremembe nagiba",
"entity_name_battery_low": "{entity_name} ima prazno baterijo",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2738,7 +3069,6 @@
"entity_name_is_detecting_gas": "{entity_name} zaznava plin",
"entity_name_is_hot": "{entity_name} je vroč",
"entity_name_is_detecting_light": "{entity_name} zaznava svetlobo",
- "entity_name_is_locked": "{entity_name} je/so zaklenjen/a",
"entity_name_is_moist": "{entity_name} je vlažen",
"entity_name_is_detecting_motion": "{entity_name} zaznava gibanje",
"entity_name_is_moving": "{entity_name} se premika",
@@ -2756,11 +3086,9 @@
"entity_name_is_not_cold": "{entity_name} ni hladen",
"entity_name_is_disconnected": "{entity_name} ni povezan",
"entity_name_is_not_hot": "{entity_name} ni vroč",
- "entity_name_is_unlocked": "{entity_name} je/so odklenjen/a",
"entity_name_is_dry": "{entity_name} je suh",
"entity_name_is_not_moving": "{entity_name} se ne premika",
"entity_name_is_not_occupied": "{entity_name} ni zaseden",
- "entity_name_is_closed": "{entity_name} je/so zaprt/a",
"entity_name_is_unplugged": "{entity_name} je odklopljen",
"entity_name_not_powered": "{entity_name} ni napajan",
"entity_name_not_present": "{entity_name} ni prisoten",
@@ -2768,8 +3096,6 @@
"condition_type_is_not_tampered": "{entity_name} ne zaznava nedovoljenih posegov",
"entity_name_is_safe": "{entity_name} je varen",
"entity_name_is_occupied": "{entity_name} je zaseden",
- "entity_name_is_open": "{entity_name} is open",
- "entity_name_is_docked": "{entity_name} je priključen",
"entity_name_is_powered": "{entity_name} je vklopljen",
"entity_name_is_present": "{entity_name} je prisoten",
"entity_name_is_detecting_problem": "{entity_name} zaznava težavo",
@@ -2787,7 +3113,6 @@
"entity_name_started_detecting_gas": "{entity_name} začel zaznavati plin",
"entity_name_became_hot": "{entity_name} je postal vroč",
"entity_name_started_detecting_light": "{entity_name} začel zaznavati svetlobo",
- "entity_name_locked": "{entity_name} zaklenjen/a",
"entity_name_became_moist": "{entity_name} postal vlažen",
"entity_name_started_detecting_motion": "{entity_name} začel zaznavati gibanje",
"entity_name_started_moving": "{entity_name} se je začel premikati",
@@ -2798,68 +3123,35 @@
"entity_name_stopped_detecting_problem": "{entity_name} prenehal odkrivati težavo",
"entity_name_stopped_detecting_smoke": "{entity_name} prenehal zaznavati dim",
"entity_name_stopped_detecting_sound": "{entity_name} prenehal zaznavati zvok",
- "entity_name_became_up_to_date": "{entity_name} je posodobljen",
"entity_name_stopped_detecting_vibration": "{entity_name} prenehal zaznavati vibracije",
"entity_name_battery_normal": "{entity_name} ima polno baterijo",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} ni več hladen",
"entity_name_disconnected": "{entity_name} prekinjen",
"entity_name_became_not_hot": "{entity_name} ni več vroč",
- "entity_name_unlocked": "{entity_name} odklenjen/a",
- "entity_name_became_dry": "{entity_name} je postalo suh",
- "entity_name_stopped_moving": "{entity_name} se je prenehal premikati",
- "entity_name_closed": "{entity_name} se je/so se zaprla",
- "entity_name_unplugged": "{entity_name} odklopljen",
- "trigger_type_not_running": "{entity_name} ne deluje več",
- "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
- "entity_name_became_safe": "{entity_name} je postal varen",
- "entity_name_became_occupied": "{entity_name} postal zaseden",
- "entity_name_opened": "{entity_name} opened",
- "entity_name_docked": "{entity_name} priključen",
- "entity_name_powered": "{entity_name} priklopljen",
- "entity_name_present": "{entity_name} prisoten",
- "entity_name_started_detecting_problem": "{entity_name} začel odkrivati težavo",
- "entity_name_started_running": "{entity_name} se je začel izvajati",
- "entity_name_started_detecting_smoke": "{entity_name} začel zaznavati dim",
- "entity_name_started_detecting_sound": "{entity_name} začel zaznavati zvok",
- "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
- "entity_name_became_unsafe": "{entity_name} je postal nevaren",
- "trigger_type_update": "{entity_name} got an update available",
- "entity_name_started_detecting_vibration": "{entity_name} je začel odkrivat vibracije",
- "entity_name_is_buffering": "{entity_name} is buffering",
- "entity_name_is_idle": "{entity_name} je nedejaven",
- "entity_name_is_paused": "{entity_name} is paused",
- "entity_name_is_playing": "{entity_name} predvaja",
- "entity_name_starts_buffering": "{entity_name} starts buffering",
- "entity_name_becomes_idle": "{entity_name} postane nedejaven",
- "entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} je doma",
- "entity_name_is_not_home": "{entity_name} ni doma",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Zmanjšajte svetlost {entity_name}",
- "increase_entity_name_brightness": "Povečajte svetlost {entity_name}",
- "flash_entity_name": "Osvetli (pobliskaj) {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Vključi {entity_name} zdoma",
- "arm_entity_name_home": "Vključi {entity_name} doma",
- "arm_entity_name_night": "Vključi {entity_name} noč",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Razoroži {entity_name}",
- "trigger_entity_name": "Sproži {entity_name}",
- "entity_name_is_armed_away": "{entity_name} je oborožen na \"zdoma\"",
- "entity_name_is_armed_home": "{entity_name} je oborožen na \"dom\"",
- "entity_name_is_armed_night": "{entity_name} je oborožen na \"noč\"",
- "entity_name_is_armed_vacation": "{entity_name} je vklopljen (Počitnice)",
- "entity_name_disarmed": "{entity_name} razorožen",
- "entity_name_triggered": "{entity_name} sprožen",
- "entity_name_armed_away": "{entity_name} oborožen - zdoma",
- "entity_name_armed_home": "{entity_name} oborožen - dom",
- "entity_name_armed_night": "{entity_name} oborožen - noč",
- "entity_name_armed_vacation": "{entity_name} vklopljen (Počitnice)",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} je pritisnjena",
+ "entity_name_became_dry": "{entity_name} je postalo suh",
+ "entity_name_stopped_moving": "{entity_name} se je prenehal premikati",
+ "entity_name_unplugged": "{entity_name} odklopljen",
+ "trigger_type_not_running": "{entity_name} ne deluje več",
+ "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
+ "entity_name_became_safe": "{entity_name} je postal varen",
+ "entity_name_became_occupied": "{entity_name} postal zaseden",
+ "entity_name_powered": "{entity_name} priklopljen",
+ "entity_name_present": "{entity_name} prisoten",
+ "entity_name_started_detecting_problem": "{entity_name} začel odkrivati težavo",
+ "entity_name_started_running": "{entity_name} se je začel izvajati",
+ "entity_name_started_detecting_smoke": "{entity_name} začel zaznavati dim",
+ "entity_name_started_detecting_sound": "{entity_name} začel zaznavati zvok",
+ "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
+ "entity_name_became_unsafe": "{entity_name} je postal nevaren",
+ "entity_name_started_detecting_vibration": "{entity_name} je začel odkrivat vibracije",
+ "entity_name_is_buffering": "{entity_name} is buffering",
+ "entity_name_is_idle": "{entity_name} je nedejaven",
+ "entity_name_is_paused": "{entity_name} is paused",
+ "entity_name_is_playing": "{entity_name} predvaja",
+ "entity_name_starts_buffering": "{entity_name} starts buffering",
+ "entity_name_becomes_idle": "{entity_name} postane nedejaven",
+ "entity_name_starts_playing": "{entity_name} starts playing",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2869,33 +3161,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Zapri {entity_name}",
- "close_entity_name_tilt": "Zapri {entity_name} nagib",
- "open_entity_name": "Odpri {entity_name}",
- "open_entity_name_tilt": "Odprite {entity_name} nagib",
- "set_entity_name_position": "Nastavite položaj {entity_name}",
- "set_entity_name_tilt_position": "Nastavite {entity_name} nagibni položaj",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_closing": "{entity_name} se zapira/jo",
- "entity_name_opening": "{entity_name} se odpira/jo",
- "current_entity_name_position_is": "Trenutna pozicija {entity_name} je",
- "condition_type_is_tilt_position": "Trenutni položaj nagiba {entity_name} je",
- "entity_name_position_changes": "{entity_name} spremembe položaja",
- "entity_name_tilt_position_changes": "{entity_name} spremembe nagiba",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" gumb sproščen po dolgem pritisku",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Oba gumba",
"bottom_buttons": "Spodnji gumbi",
"seventh_button": "Seventh button",
@@ -2921,11 +3186,6 @@
"trigger_type_remote_rotate_from_side": "Naprava je zasukana iz \"strani 6\" v \"{subtype}\"",
"device_turned_clockwise": "Naprava se je obrnila v smeri urinega kazalca",
"device_turned_counter_clockwise": "Naprava se je obrnila v nasprotni smeri urinega kazalca",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Naj {entity_name} čisti",
- "action_type_dock": "Pustite, da se {entity_name} vrne na dok",
- "entity_name_is_cleaning": "{entity_name} čisti",
- "entity_name_started_cleaning": "{entity_name} začel čiščenje",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2936,29 +3196,52 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Zakleni {entity_name}",
- "unlock_entity_name": "Odkleni {entity_name}",
+ "arm_entity_name_away": "Vključi {entity_name} zdoma",
+ "arm_entity_name_home": "Vključi {entity_name} doma",
+ "arm_entity_name_night": "Vključi {entity_name} noč",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Razoroži {entity_name}",
+ "trigger_entity_name": "Sproži {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} je oborožen na \"zdoma\"",
+ "entity_name_is_armed_home": "{entity_name} je oborožen na \"dom\"",
+ "entity_name_is_armed_night": "{entity_name} je oborožen na \"noč\"",
+ "entity_name_is_armed_vacation": "{entity_name} je vklopljen (Počitnice)",
+ "entity_name_disarmed": "{entity_name} razorožen",
+ "entity_name_triggered": "{entity_name} sprožen",
+ "entity_name_armed_away": "{entity_name} oborožen - zdoma",
+ "entity_name_armed_home": "{entity_name} oborožen - dom",
+ "entity_name_armed_night": "{entity_name} oborožen - noč",
+ "entity_name_armed_vacation": "{entity_name} vklopljen (Počitnice)",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Opozori",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "Z vsemi/določenimi obrazi vključeno",
+ "device_dropped": "Naprava padla",
+ "device_flipped_subtype": "Naprava obrnjena \"{subtype}\"",
+ "device_knocked_subtype": "Naprava prevrnjena \"{subtype}\"",
+ "device_offline": "Naprava brez povezave",
+ "device_rotated_subtype": "Naprava je zasukana \"{subtype}\"",
+ "device_slid_subtype": "Naprava zdrsnila \"{subtype}\"",
+ "device_tilted": "Naprava je nagnjena",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" gumb sproščen po dolgem pritisku (nadomestni način)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "Petkrat kliknjen \"{subtype}\" gumb (Nadomestni način)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3089,52 +3372,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3151,6 +3404,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3161,102 +3415,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Način delovanja nihanja.",
- "set_swing_mode": "Nastavi način nihanja",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3269,25 +3432,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3313,27 +3521,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Pot do datoteke. Biti mora mp4.",
+ "filename": "Ime datoteke",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Pot do datoteke",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Način delovanja nihanja.",
+ "set_swing_mode": "Nastavi način nihanja",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3372,40 +3861,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Nastavi alarm na:_armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3413,77 +3868,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Pot do datoteke. Biti mora mp4.",
- "filename": "Ime datoteke",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Pot do datoteke",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3492,83 +3886,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Nastavi alarm na:_armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/sr-Latn/sr-Latn.json b/packages/core/src/hooks/useLocale/locales/sr-Latn/sr-Latn.json
index c329af58..d8311c29 100644
--- a/packages/core/src/hooks/useLocale/locales/sr-Latn/sr-Latn.json
+++ b/packages/core/src/hooks/useLocale/locales/sr-Latn/sr-Latn.json
@@ -72,7 +72,7 @@
"increment": "Increment",
"decrement": "Decrement",
"reset": "Reset",
- "position": "Pozicija",
+ "position": "Position",
"tilt_position": "Položaj nagiba",
"open_cover": "Open cover",
"close_cover": "Close cover",
@@ -105,7 +105,7 @@
"effect": "Effect",
"lock": "Lock",
"unlock": "Unlock",
- "open": "Otvoren",
+ "open": "Open",
"open_door": "Open door",
"really_open": "Really open?",
"done": "Done",
@@ -139,7 +139,7 @@
"option": "Option",
"installing": "Instaliranje",
"installing_progress": "Instaliranje ({progress}%)",
- "up_to_date": "Up-to-date",
+ "up_to_date": "Ažurirano",
"empty_value": "(prazna vrednost)",
"start": "Start",
"finish": "Finish",
@@ -193,7 +193,7 @@
"enable": "Enable",
"disable": "Disable",
"hide": "Sakriti",
- "close": "Zatvori",
+ "close": "Close",
"leave": "Napusti",
"stay": "Ostani",
"next": "Next",
@@ -242,7 +242,7 @@
"selector_options": "Selector Options",
"action": "Action",
"area": "Area",
- "attribute": "Atribut",
+ "attribute": "Attribute",
"boolean": "Boolean",
"condition": "Condition",
"date": "Date",
@@ -278,31 +278,30 @@
"logbook_triggered_by_homeassistant_starting": "pokretanjem učitavanja Home Assistant",
"traces": "Praćenje",
"could_not_load_logbook": "Nije moguće učitati dnevnik",
- "was_detected_away": "was detected away",
+ "was_detected_away": "otkriven je da je odsutan",
"was_detected_at_state": "otkriven je {state}",
"rose": "rose",
"set": "Set",
- "was_low": "was low",
+ "was_low": "je bio nizak",
"was_normal": "je bio normalan",
- "was_connected": "was connected",
- "was_disconnected": "je bio isključen",
+ "was_connected": "je bio povezan",
+ "was_unplugged": "je bio isključen",
"was_opened": "je otvoren",
- "was_closed": "was closed",
+ "was_closed": "je zatvoren",
"is_opening": "se otvara",
"is_opened": "je otvoreno",
"is_closing": "se zatvara",
- "was_unlocked": "was unlocked",
+ "was_unlocked": "je bio otključan",
"was_locked": "je bio zaključan",
"is_unlocking": "se otključava",
"is_locking": "se zaključava",
"is_jammed": "je zaglavljen",
"was_plugged_in": "je bio priključen",
- "was_unplugged": "was unplugged",
"was_detected_at_home": "otkriven je kod kuće",
"was_unsafe": "je bio nebezbedan",
- "was_safe": "was safe",
+ "was_safe": "je bio bezbedan",
"detected_device_class": "otkriven/o {device_class}",
- "cleared_no_device_class_detected": "cleared (no {device_class} detected)",
+ "cleared_no_device_class_detected": "obrisano (nije detektovan/o {device_class})",
"turned_off": "isključeno",
"turned_on": "uključeno",
"changed_to_state": "promenjen u {state}",
@@ -310,10 +309,10 @@
"became_unknown": "je postao nepoznat",
"detected_tampering": "otkriveno manipulisanje",
"cleared_tampering": "cleared tampering",
- "event_type_event_detected": "{event_type} event detected",
- "detected_an_event": "detected an event",
- "detected_an_unknown_event": "detected an unknown event",
- "started_charging": "started charging",
+ "event_type_event_detected": "{event_type} događaj detektovan",
+ "detected_an_event": "otkriven je događaj",
+ "detected_an_unknown_event": "otkriven je nepoznat događaj",
+ "started_charging": "počelo punjenje",
"stopped_charging": "prestao da se puni",
"ui_components_logbook_triggered_by_service": "pokretanjem servisa",
"entity_picker_no_entities": "Nemate nijedan entitet",
@@ -647,6 +646,7 @@
"last_updated": "Last updated",
"remaining_time": "Remaining time",
"install_status": "Install status",
+ "ui_components_multi_textfield_add_item": "Dodaj {item}",
"safe_mode": "Safe mode",
"all_yaml_configuration": "All YAML configuration",
"domain": "Domain",
@@ -699,7 +699,7 @@
"updates": "Updates",
"hardware": "Hardware",
"general": "General",
- "backups": "Backups",
+ "backups": "Rezervne kopije",
"analytics": "Analytics",
"system_health": "System Health",
"blueprints": "Nacrti",
@@ -709,7 +709,7 @@
"add_on_store": "Add-on Store",
"addon_info": "{addon} informacije",
"search_entities": "Pretraži entitete",
- "search_devices": "Search devices",
+ "search_devices": "Pretraži uređaje",
"quick_search": "Quick search",
"nothing_found": "Ništa nije pronađeno!",
"assist": "Assist",
@@ -751,7 +751,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Napravi rezervnu kopiju pre unapređenja",
"update_instructions": "Update instructions",
"current_activity": "Current activity",
- "status": "Status",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Vacuum cleaner commands:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -868,7 +868,7 @@
"restart_home_assistant": "Restart Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Brzo ponovno učitavanje",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Ponovo učitavanje konfiguracije",
"failed_to_reload_configuration": "Ponovno učitavanje konfiguracije nije uspelo",
"restart_description": "Prekida sve pokrenute automatizacije i skripte.",
@@ -899,8 +899,8 @@
"password": "Password",
"regex_pattern": "Regex obrazac",
"used_for_client_side_validation": "Koristi se za validaciju na strani klijenta",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Polje za unos",
"slider": "Slider",
"step_size": "Veličina koraka",
@@ -1024,6 +1024,7 @@
"config_key_missing": "Required key ''{key}'' is missing.",
"config_no_template_editor_support": "Templates not supported in visual editor",
"ui_errors_config_editor_not_available": "Nijedan vizuelni uređivač nije dostupan za tip ''{type}''.",
+ "ui_errors_config_error_detected": "Otkrivene greške u konfiguraciji",
"supervisor_title": "Could not load the Supervisor panel!",
"ask_for_help": "Ask for help.",
"supervisor_reboot": "Try a reboot of the host.",
@@ -1207,7 +1208,7 @@
"ui_panel_lovelace_editor_edit_view_tab_badges": "Bedževi",
"card_configuration": "Konfiguracija kartice",
"type_card_configuration": "Konfiguracija kartice {type}",
- "edit_card_pick_card": "Koju karticu želite da dodate?",
+ "edit_card_pick_card": "Which card would you like to add?",
"toggle_editor": "Toggle editor",
"you_have_unsaved_changes": "You have unsaved changes",
"edit_card_confirm_cancel": "Da li ste sigurni da želite da otkažete?",
@@ -1403,6 +1404,7 @@
"show_more_detail": "Prikaži više detalja",
"to_do_list": "To-do list",
"hide_completed_items": "Hide completed items",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_none": "Standard",
"thermostat": "Thermostat",
"thermostat_show_current_as_primary": "Show current temperature as primary information",
"tile": "Pločica",
@@ -1511,147 +1513,126 @@
"now": "Now",
"compare_data": "Compare data",
"reload_ui": "Ponovo učitaj korisnički interfejs",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climate",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climate",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
- "closed": "Zatvoren",
+ "closed": "Closed",
"overheated": "Overheated",
"temperature_warning": "Temperature warning",
- "update_available": "Update available",
+ "update_available": "Ažuriranje dostupno",
"dry": "Odvlaživanje",
"wet": "Mokro",
"pan_left": "Pan left",
@@ -1673,6 +1654,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1698,31 +1680,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Sledeća zora",
- "next_dusk": "Sledeći sumrak",
- "next_midnight": "Sledeća ponoć",
- "next_noon": "Sledeće podne",
- "next_rising": "Sledeći izlazak",
- "next_setting": "Sledeći zalazak",
- "solar_azimuth": "Solarni azimut",
- "solar_elevation": "Solarna nadmorska visina",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Osvetljenost",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1744,34 +1711,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Osvetljenost",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Priključeno",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detektovana",
"animal_lens": "Animal lens 1",
@@ -1844,6 +1853,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Isključeno",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1894,7 +1904,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1911,6 +1920,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Sledeća zora",
+ "next_dusk": "Sledeći sumrak",
+ "next_midnight": "Sledeća ponoć",
+ "next_noon": "Sledeće podne",
+ "next_rising": "Sledeći izlazak",
+ "next_setting": "Sledeći zalazak",
+ "solar_azimuth": "Solarni azimut",
+ "solar_elevation": "Solarna nadmorska visina",
+ "solar_rising": "Solar rising",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1927,76 +1979,254 @@
"not_completed": "Not completed",
"pending": "Čekanje",
"checking": "Checking",
- "closing": "Zatvaranje",
+ "closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Priključeno",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Zaustavljena",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Paused",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Poslednji reset",
"possible_states": "Moguća stanja",
"state_class": "State class",
@@ -2029,83 +2259,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Hlađanje",
- "fan_only": "Ventilator",
- "heat_cool": "Hlađanje/Grejanje",
- "aux_heat": "Aux heat",
- "current_humidity": "Trenutna vlažnost",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Trenutna akcija",
- "cooling": "Hlađenje",
- "defrosting": "Defrosting",
- "drying": "Drying",
- "preheating": "Preheating",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Režim pomeranja",
- "both": "Both",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Ne puni se",
- "disconnected": "Disconnected",
- "connected": "Connected",
- "hot": "Hot",
- "no_light": "Nema svetla",
- "light_detected": "Otkriveno svetlo",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "Nema kretanja",
- "unplugged": "Isključeno",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Above horizon",
- "below_horizon": "Below horizon",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2121,13 +2280,36 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "available_tones": "Available tones",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Vedra noć",
"cloudy": "Oblačno",
"exceptional": "Izuzetno",
@@ -2150,26 +2332,9 @@
"uv_index": "UV index",
"wind_bearing": "Smer vetra",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Aktivirano odsustvo",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Aktivirana kuća",
- "armed_night": "Aktivirana noć",
- "armed_vacation": "Aktiviran odmor",
- "disarming": "Deaktiviranje",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2178,65 +2343,110 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locked": "Zaključano",
+ "locking": "Locking",
+ "unlocked": "Otključano",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Hlađanje",
+ "fan_only": "Ventilator",
+ "heat_cool": "Hlađanje/Grejanje",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Trenutna vlažnost",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Trenutna akcija",
+ "cooling": "Hlađenje",
+ "defrosting": "Defrosting",
+ "drying": "Drying",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Režim pomeranja",
+ "both": "Both",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garaža",
+ "not_charging": "Ne puni se",
+ "disconnected": "Disconnected",
+ "connected": "Connected",
+ "hot": "Hot",
+ "no_light": "Nema svetla",
+ "light_detected": "Otkriveno svetlo",
+ "not_moving": "Nema kretanja",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garaža",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Above horizon",
+ "below_horizon": "Below horizon",
+ "armed_away": "Aktivirano odsustvo",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Aktivirana kuća",
+ "armed_night": "Aktivirana noć",
+ "armed_vacation": "Aktiviran odmor",
+ "disarming": "Deaktiviranje",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2247,27 +2457,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2275,68 +2487,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2363,48 +2534,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Bridge is already configured",
- "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Couldn't get an API key",
- "link_with_deconz": "Link with deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2412,155 +2582,135 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "Bridge is already configured",
+ "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Couldn't get an API key",
+ "link_with_deconz": "Link with deCONZ",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Globalne opcije",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
"broker_options": "Broker options",
"enable_birth_message": "Enable birth message",
"birth_message_payload": "Birth message payload",
@@ -2576,13 +2726,44 @@
"will_message_topic": "Will message topic",
"data_description_discovery": "Option to enable MQTT automatic discovery.",
"mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2590,26 +2771,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2704,6 +2970,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
+ "increase_entity_name_brightness": "Increase {entity_name} brightness",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "First button",
+ "second_button": "Second button",
+ "third_button": "Third button",
+ "fourth_button": "Fourth button",
+ "fifth_button": "Fifth button",
+ "sixth_button": "Sixth button",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} is home",
+ "entity_name_is_not_home": "{entity_name} is not home",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} is cleaning",
+ "entity_name_is_docked": "{entity_name} is docked",
+ "entity_name_started_cleaning": "{entity_name} started cleaning",
+ "entity_name_docked": "{entity_name} docked",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Otvori {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} is locked",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is unlocked",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opened",
+ "entity_name_unlocked": "{entity_name} unlocked",
"action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
"change_preset_on_entity_name": "Change preset on {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2711,8 +3030,22 @@
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Zatvori {entity_name}",
+ "close_entity_name_tilt": "Zatvori {entity_name} nagib",
+ "open_entity_name_tilt": "Otvorite {entity_name} nagib",
+ "set_entity_name_position": "Podesi {entity_name} poziciju",
+ "set_entity_name_tilt_position": "Podesi {entity_name} nagib",
+ "stop_entity_name": "Zaustavi {entity_name}",
+ "entity_name_is_closed": "{entity_name} is closed",
+ "entity_name_is_closing": "{entity_name} se zatvara",
+ "entity_name_is_opening": "{entity_name} se otvara",
+ "current_entity_name_position_is": "Trenutna {entity_name} pozicija je",
+ "condition_type_is_tilt_position": "Trenutna {entity_name} pozicija nagiba je",
+ "entity_name_closed": "{entity_name} closed",
+ "entity_name_closing": "{entity_name} zatvaranje",
+ "entity_name_opening": "{entity_name} otvaranje",
+ "entity_name_position_changes": "{entity_name} promena pozicije",
+ "entity_name_tilt_position_changes": "{entity_name} promena nagiba",
"entity_name_battery_is_low": "{entity_name} battery is low",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2721,7 +3054,6 @@
"entity_name_is_detecting_gas": "{entity_name} is detecting gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} is detecting light",
- "entity_name_is_locked": "{entity_name} is locked",
"entity_name_is_moist": "{entity_name} is moist",
"entity_name_is_detecting_motion": "{entity_name} is detecting motion",
"entity_name_is_moving": "{entity_name} is moving",
@@ -2739,11 +3071,9 @@
"entity_name_is_not_cold": "{entity_name} is not cold",
"entity_name_is_disconnected": "{entity_name} is disconnected",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} is unlocked",
"entity_name_is_dry": "{entity_name} is dry",
"entity_name_is_not_moving": "{entity_name} is not moving",
"entity_name_is_not_occupied": "{entity_name} is not occupied",
- "entity_name_is_closed": "{entity_name} je zatvorena",
"entity_name_is_unplugged": "{entity_name} is unplugged",
"entity_name_is_not_powered": "{entity_name} is not powered",
"entity_name_is_not_present": "{entity_name} is not present",
@@ -2751,7 +3081,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} is occupied",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is plugged in",
"entity_name_is_powered": "{entity_name} is powered",
"entity_name_is_present": "{entity_name} is present",
@@ -2771,7 +3100,6 @@
"entity_name_started_detecting_gas": "{entity_name} je počeo da detektuje gas",
"entity_name_became_hot": "{entity_name} became hot",
"entity_name_started_detecting_light": "{entity_name} je počeo da detektuje svetlost",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} je počeo da detektuje pokret",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2782,18 +3110,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} became not hot",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} zatvorena",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
@@ -2801,54 +3126,23 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} plugged in",
"entity_name_powered": "{entity_name} powered",
"entity_name_present": "{entity_name} present",
"entity_name_started_detecting_problem": "{entity_name} je počeo da detektuje problem",
"entity_name_started_running": "{entity_name} started running",
"entity_name_started_detecting_smoke": "{entity_name} je počeo da detektuje dim",
- "entity_name_started_detecting_sound": "{entity_name} je počeo da detektuje zvuk",
- "entity_name_started_detecting_tampering": "{entity_name} je počeo da detektuje manipulaciju",
- "entity_name_became_unsafe": "{entity_name} became unsafe",
- "trigger_type_update": "{entity_name} got an update available",
- "entity_name_started_detecting_vibration": "{entity_name} je počeo da detektuje vibracije",
- "entity_name_is_buffering": "{entity_name} is buffering",
- "entity_name_is_idle": "{entity_name} is idle",
- "entity_name_is_paused": "{entity_name} is paused",
- "entity_name_is_playing": "{entity_name} is playing",
- "entity_name_starts_buffering": "{entity_name} starts buffering",
- "entity_name_becomes_idle": "{entity_name} becomes idle",
- "entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} is home",
- "entity_name_is_not_home": "{entity_name} is not home",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
- "increase_entity_name_brightness": "Increase {entity_name} brightness",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Disarm {entity_name}",
- "trigger_entity_name": "Trigger {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} je deaktiviran",
- "entity_name_is_triggered": "{entity_name} is triggered",
- "entity_name_armed_away": "{entity_name} armed away",
- "entity_name_armed_home": "{entity_name} armed home",
- "entity_name_armed_night": "{entity_name} armed night",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} deaktivirano",
- "entity_name_triggered": "{entity_name} triggered",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "entity_name_started_detecting_sound": "{entity_name} je počeo da detektuje zvuk",
+ "entity_name_started_detecting_tampering": "{entity_name} je počeo da detektuje manipulaciju",
+ "entity_name_became_unsafe": "{entity_name} became unsafe",
+ "entity_name_started_detecting_vibration": "{entity_name} je počeo da detektuje vibracije",
+ "entity_name_is_buffering": "{entity_name} is buffering",
+ "entity_name_is_idle": "{entity_name} is idle",
+ "entity_name_is_paused": "{entity_name} is paused",
+ "entity_name_is_playing": "{entity_name} is playing",
+ "entity_name_starts_buffering": "{entity_name} starts buffering",
+ "entity_name_becomes_idle": "{entity_name} becomes idle",
+ "entity_name_starts_playing": "{entity_name} starts playing",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2858,35 +3152,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Zatvori {entity_name}",
- "close_entity_name_tilt": "Zatvori {entity_name} nagib",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Otvorite {entity_name} nagib",
- "set_entity_name_position": "Podesi {entity_name} poziciju",
- "set_entity_name_tilt_position": "Podesi {entity_name} nagib",
- "stop_entity_name": "Zaustavi {entity_name}",
- "entity_name_is_closing": "{entity_name} se zatvara",
- "entity_name_is_opening": "{entity_name} se otvara",
- "current_entity_name_position_is": "Trenutna {entity_name} pozicija je",
- "condition_type_is_tilt_position": "Trenutna {entity_name} pozicija nagiba je",
- "entity_name_closing": "{entity_name} zatvaranje",
- "entity_name_opening": "{entity_name} otvaranje",
- "entity_name_position_changes": "{entity_name} promena pozicije",
- "entity_name_tilt_position_changes": "{entity_name} promena nagiba",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Both buttons",
"bottom_buttons": "Bottom buttons",
"seventh_button": "Seventh button",
@@ -2911,13 +3176,6 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} is cleaning",
- "entity_name_is_docked": "{entity_name} is docked",
- "entity_name_started_cleaning": "{entity_name} started cleaning",
- "entity_name_docked": "{entity_name} docked",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2928,29 +3186,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Disarm {entity_name}",
+ "trigger_entity_name": "Trigger {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} je deaktiviran",
+ "entity_name_is_triggered": "{entity_name} is triggered",
+ "entity_name_armed_away": "{entity_name} armed away",
+ "entity_name_armed_home": "{entity_name} armed home",
+ "entity_name_armed_night": "{entity_name} armed night",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} deaktivirano",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "Device dropped",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Device tilted",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3081,52 +3364,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Ciljana pozicija.",
- "set_position": "Postavi poziciju",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3143,6 +3396,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3153,102 +3407,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3260,26 +3423,71 @@
"rgbw_color": "RGBW-color",
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
- "xy_color": "XY-color",
- "brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
+ "brightness_step_description": "Change brightness by an amount.",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3305,27 +3513,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Zatvori nagib",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Otvori nagib",
+ "set_cover_position_description": "Pomeranje na određenu poziciju.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Podesi nagib",
+ "stops_the_cover_movement": "Zaustavlja kretanje.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Zaustavi nagib",
+ "toggles_a_cover_open_closed": "Otvaranje/zatvaranje.",
+ "toggle_cover_tilt_description": "Otvara/zatvara nagib.",
+ "toggle_tilt": "Prekidač nagiba",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3364,40 +3853,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3405,77 +3860,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Zatvori nagib",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Otvori nagib",
- "set_cover_position_description": "Pomeranje na određenu poziciju.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Podesi nagib",
- "stops_the_cover_movement": "Zaustavlja kretanje.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Zaustavi nagib",
- "toggles_a_cover_open_closed": "Otvaranje/zatvaranje.",
- "toggle_cover_tilt_description": "Otvara/zatvara nagib.",
- "toggle_tilt": "Prekidač nagiba",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3484,83 +3878,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/sr/sr.json b/packages/core/src/hooks/useLocale/locales/sr/sr.json
index fc6523ce..4d54a379 100644
--- a/packages/core/src/hooks/useLocale/locales/sr/sr.json
+++ b/packages/core/src/hooks/useLocale/locales/sr/sr.json
@@ -639,6 +639,7 @@
"last_updated": "Last updated",
"remaining_time": "Remaining time",
"install_status": "Install status",
+ "ui_components_multi_textfield_add_item": "Додај {item}",
"safe_mode": "Safe mode",
"all_yaml_configuration": "All YAML configuration",
"domain": "Domain",
@@ -744,7 +745,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Napravi rezervnu kopiju pre unapređenja",
"update_instructions": "Update instructions",
"current_activity": "Current activity",
- "status": "Status",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Vacuum cleaner commands:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -862,7 +863,7 @@
"restart_home_assistant": "Restart Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Quick reload",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Reloading configuration",
"failed_to_reload_configuration": "Failed to reload configuration",
"restart_description": "Prekida sve pokrenute automatizacije i skripte.",
@@ -890,8 +891,8 @@
"password": "Password",
"regex_pattern": "'Regex' šablon",
"used_for_client_side_validation": "Upotrebljava se za validaciju na klijentskoj strani",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Polje za unos",
"slider": "Slider",
"step_size": "Veličina koraka",
@@ -1388,6 +1389,7 @@
"graph_type": "Graph type",
"to_do_list": "To-do list",
"hide_completed_items": "Hide completed items",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_none": "Стандард",
"thermostat": "Thermostat",
"thermostat_show_current_as_primary": "Show current temperature as primary information",
"tile": "Tile",
@@ -1493,141 +1495,120 @@
"compare_data": "Compare data",
"ui_panel_lovelace_components_energy_period_selector_today": "Danas",
"reload_ui": "Reload UI",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
- "fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
- "schedule": "Schedule",
- "mqtt": "MQTT",
- "automation": "Automation",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
"deconz": "deCONZ",
- "go_rtc": "go2rtc",
- "android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
"fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
+ "fan": "Ventilator",
+ "scene": "Scene",
+ "schedule": "Schedule",
"home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climate",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
+ "mqtt": "MQTT",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
+ "android_tv_remote": "Android TV Remote",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climate",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1656,6 +1637,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1681,31 +1663,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Next dawn",
- "next_dusk": "Next dusk",
- "next_midnight": "Next midnight",
- "next_noon": "Next noon",
- "next_rising": "Next rising",
- "next_setting": "Next setting",
- "solar_azimuth": "Solar azimuth",
- "solar_elevation": "Solar elevation",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1727,34 +1694,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Plugged in",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1828,6 +1837,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1878,7 +1888,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1895,6 +1904,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Next dawn",
+ "next_dusk": "Next dusk",
+ "next_midnight": "Next midnight",
+ "next_noon": "Next noon",
+ "next_rising": "Next rising",
+ "next_setting": "Next setting",
+ "solar_azimuth": "Solar azimuth",
+ "solar_elevation": "Solar elevation",
+ "solar_rising": "Solar rising",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1914,73 +1966,251 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Plugged in",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Paused",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -2013,84 +2243,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Trenutna vlažnost",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Trenutna radnja",
- "cooling": "Hlađenje",
- "defrosting": "Defrosting",
- "drying": "Sušenje",
- "heating": "Grejanje",
- "preheating": "Predgrevanje",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Oba",
- "horizontal": "Horizontalno",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Not charging",
- "disconnected": "Disconnected",
- "connected": "Connected",
- "hot": "Hot",
- "no_light": "No light",
- "light_detected": "Light detected",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "Not moving",
- "unplugged": "Unplugged",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Above horizon",
- "below_horizon": "Below horizon",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2106,13 +2264,36 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "available_tones": "Available tones",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Clear, night",
"cloudy": "Cloudy",
"exceptional": "Exceptional",
@@ -2135,26 +2316,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "disarming": "Disarming",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2163,65 +2327,112 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locked": "Locked",
+ "locking": "Locking",
+ "unlocked": "Unlocked",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Trenutna vlažnost",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Trenutna radnja",
+ "cooling": "Hlađenje",
+ "defrosting": "Defrosting",
+ "drying": "Sušenje",
+ "heating": "Grejanje",
+ "preheating": "Predgrevanje",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Oba",
+ "horizontal": "Horizontalno",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Not charging",
+ "disconnected": "Disconnected",
+ "connected": "Connected",
+ "hot": "Hot",
+ "no_light": "No light",
+ "light_detected": "Light detected",
+ "not_moving": "Not moving",
+ "unplugged": "Unplugged",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Above horizon",
+ "below_horizon": "Below horizon",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Disarming",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2232,27 +2443,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2260,68 +2473,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2348,48 +2520,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Bridge is already configured",
- "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Couldn't get an API key",
- "link_with_deconz": "Link with deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2397,128 +2568,161 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "Bridge is already configured",
+ "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Couldn't get an API key",
+ "link_with_deconz": "Link with deCONZ",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Enable birth message",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Enable will message",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
"samsungtv_smart_options": "SamsungTV Smart options",
"data_use_st_status_info": "Use SmartThings TV Status information",
"data_use_st_channel_info": "Use SmartThings TV Channels information",
@@ -2546,28 +2750,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Enable birth message",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Enable will message",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2575,26 +2757,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2689,6 +2956,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
+ "increase_entity_name_brightness": "Increase {entity_name} brightness",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "First button",
+ "second_button": "Second button",
+ "third_button": "Third button",
+ "fourth_button": "Fourth button",
+ "fifth_button": "Fifth button",
+ "sixth_button": "Sixth button",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} is home",
+ "entity_name_is_not_home": "{entity_name} is not home",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} is cleaning",
+ "entity_name_is_docked": "{entity_name} is docked",
+ "entity_name_started_cleaning": "{entity_name} started cleaning",
+ "entity_name_docked": "{entity_name} docked",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} is locked",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is unlocked",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opened",
+ "entity_name_unlocked": "{entity_name} unlocked",
"action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
"change_preset_on_entity_name": "Change preset on {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2696,8 +3016,22 @@
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Close {entity_name} tilt",
+ "open_entity_name_tilt": "Open {entity_name} tilt",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Set {entity_name} tilt position",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} is closed",
+ "entity_name_is_closing": "{entity_name} is closing",
+ "entity_name_is_opening": "{entity_name} is opening",
+ "current_entity_name_position_is": "Current {entity_name} position is",
+ "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
+ "entity_name_closed": "{entity_name} closed",
+ "entity_name_closing": "{entity_name} closing",
+ "entity_name_opening": "{entity_name} opening",
+ "entity_name_position_changes": "{entity_name} position changes",
+ "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
"entity_name_battery_is_low": "{entity_name} battery is low",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2706,7 +3040,6 @@
"entity_name_is_detecting_gas": "{entity_name} is detecting gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} is detecting light",
- "entity_name_is_locked": "{entity_name} is locked",
"entity_name_is_moist": "{entity_name} is moist",
"entity_name_is_detecting_motion": "{entity_name} is detecting motion",
"entity_name_is_moving": "{entity_name} is moving",
@@ -2724,11 +3057,9 @@
"entity_name_is_not_cold": "{entity_name} is not cold",
"entity_name_is_disconnected": "{entity_name} is disconnected",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} is unlocked",
"entity_name_is_dry": "{entity_name} is dry",
"entity_name_is_not_moving": "{entity_name} is not moving",
"entity_name_is_not_occupied": "{entity_name} is not occupied",
- "entity_name_is_closed": "{entity_name} is closed",
"entity_name_is_unplugged": "{entity_name} is unplugged",
"entity_name_is_not_powered": "{entity_name} is not powered",
"entity_name_is_not_present": "{entity_name} is not present",
@@ -2736,7 +3067,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} is occupied",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is plugged in",
"entity_name_is_powered": "{entity_name} is powered",
"entity_name_is_present": "{entity_name} is present",
@@ -2756,7 +3086,6 @@
"entity_name_started_detecting_gas": "{entity_name} started detecting gas",
"entity_name_became_hot": "{entity_name} became hot",
"entity_name_started_detecting_light": "{entity_name} started detecting light",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} started detecting motion",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2767,18 +3096,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} became not hot",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} closed",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
@@ -2786,7 +3112,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} plugged in",
"entity_name_powered": "{entity_name} powered",
"entity_name_present": "{entity_name} present",
@@ -2794,46 +3119,16 @@
"entity_name_started_running": "{entity_name} started running",
"entity_name_started_detecting_smoke": "{entity_name} started detecting smoke",
"entity_name_started_detecting_sound": "{entity_name} started detecting sound",
- "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
- "entity_name_became_unsafe": "{entity_name} became unsafe",
- "trigger_type_update": "{entity_name} got an update available",
- "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
- "entity_name_is_buffering": "{entity_name} is buffering",
- "entity_name_is_idle": "{entity_name} is idle",
- "entity_name_is_paused": "{entity_name} is paused",
- "entity_name_is_playing": "{entity_name} is playing",
- "entity_name_starts_buffering": "{entity_name} starts buffering",
- "entity_name_becomes_idle": "{entity_name} becomes idle",
- "entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} is home",
- "entity_name_is_not_home": "{entity_name} is not home",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
- "increase_entity_name_brightness": "Increase {entity_name} brightness",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Disarm {entity_name}",
- "trigger_entity_name": "Trigger {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} is disarmed",
- "entity_name_is_triggered": "{entity_name} is triggered",
- "entity_name_armed_away": "{entity_name} armed away",
- "entity_name_armed_home": "{entity_name} armed home",
- "entity_name_armed_night": "{entity_name} armed night",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} disarmed",
- "entity_name_triggered": "{entity_name} triggered",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
+ "entity_name_became_unsafe": "{entity_name} became unsafe",
+ "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
+ "entity_name_is_buffering": "{entity_name} is buffering",
+ "entity_name_is_idle": "{entity_name} is idle",
+ "entity_name_is_paused": "{entity_name} is paused",
+ "entity_name_is_playing": "{entity_name} is playing",
+ "entity_name_starts_buffering": "{entity_name} starts buffering",
+ "entity_name_becomes_idle": "{entity_name} becomes idle",
+ "entity_name_starts_playing": "{entity_name} starts playing",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2843,35 +3138,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Close {entity_name} tilt",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Open {entity_name} tilt",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Set {entity_name} tilt position",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} is closing",
- "entity_name_is_opening": "{entity_name} is opening",
- "current_entity_name_position_is": "Current {entity_name} position is",
- "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
- "entity_name_closing": "{entity_name} closing",
- "entity_name_opening": "{entity_name} opening",
- "entity_name_position_changes": "{entity_name} position changes",
- "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Both buttons",
"bottom_buttons": "Bottom buttons",
"seventh_button": "Seventh button",
@@ -2896,13 +3162,6 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} is cleaning",
- "entity_name_is_docked": "{entity_name} is docked",
- "entity_name_started_cleaning": "{entity_name} started cleaning",
- "entity_name_docked": "{entity_name} docked",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2913,29 +3172,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Disarm {entity_name}",
+ "trigger_entity_name": "Trigger {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} is disarmed",
+ "entity_name_is_triggered": "{entity_name} is triggered",
+ "entity_name_armed_away": "{entity_name} armed away",
+ "entity_name_armed_home": "{entity_name} armed home",
+ "entity_name_armed_night": "{entity_name} armed night",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} disarmed",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "Device dropped",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Device tilted",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3066,52 +3350,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3128,6 +3382,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3138,102 +3393,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3246,25 +3410,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3290,27 +3499,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3349,40 +3839,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3390,77 +3846,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3469,83 +3864,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/sv/sv.json b/packages/core/src/hooks/useLocale/locales/sv/sv.json
index f2cc84d2..b01753fc 100644
--- a/packages/core/src/hooks/useLocale/locales/sv/sv.json
+++ b/packages/core/src/hooks/useLocale/locales/sv/sv.json
@@ -67,8 +67,8 @@
"action_to_target": "{action} till målet",
"target": "Mål",
"humidity_target": "Mål för luftfuktighet",
- "increment": "Ökning",
- "decrement": "Minskning",
+ "increment": "Öka",
+ "decrement": "Minska",
"reset": "Nollställa",
"position": "Position",
"tilt_position": "Lutningsposition",
@@ -219,6 +219,7 @@
"name": "Namn",
"optional": "valfri",
"default": "Standard",
+ "ui_common_dont_save": "Spara inte",
"select_media_player": "Välj mediaspelare",
"media_browse_not_supported": "Mediaspelaren stödjer inte att bläddra bland media",
"pick_media": "Välj media",
@@ -260,6 +261,7 @@
"learn_more_about_templating": "Läs mer om mallar.",
"show_password": "Visa lösenord",
"hide_password": "Dölj lösenord",
+ "ui_components_selectors_background_yaml_info": "Bakgrundsbilden ställs in via yaml-redigeraren.",
"no_logbook_events_found": "Inga event hittades i loggboken.",
"triggered_by": "utlöst av",
"triggered_by_automation": "utlöst av automatisering",
@@ -312,7 +314,7 @@
"started_charging": "började laddas",
"stopped_charging": "slutade laddas",
"ui_components_logbook_triggered_by_service": "utlöst av tjänst",
- "entity_picker_no_entities": "Du har inga entiteter",
+ "entity_picker_no_entities": "Det finns inga entiteter",
"no_matching_entities_found": "Inga matchande entiteter hittades",
"show_entities": "Visa entiteter",
"create_a_new_entity": "Skapa en ny entitet",
@@ -336,11 +338,11 @@
"exit_selection_mode": "Avsluta urvalsläget",
"enter_selection_mode": "Gå till urvalsläge",
"sort_by_sortcolumn": "Sortera efter {sortColumn}",
- "group_by_groupcolumn": "Grupp efter {groupColumn}",
+ "group_by_groupcolumn": "Gruppera efter {groupColumn}",
"don_t_group": "Gruppera inte",
"collapse_all": "Komprimera alla",
"expand_all": "Expandera alla",
- "selected_selected": "Valt {selected}",
+ "selected_selected": "{selected} valda",
"select_all": "Välj alla",
"select_none": "Välj ingen",
"customize_table": "Anpassa tabell",
@@ -360,7 +362,7 @@
"remove_user": "Ta bort användare",
"select_a_blueprint": "Välj blueprint",
"show_devices": "Visa enheter",
- "device_picker_no_devices": "Du har inga enheter",
+ "device_picker_no_devices": "Det finns inga enheter",
"no_matching_devices_found": "Inga matchande enheter hittades",
"unnamed_device": "Namnlös enhet",
"no_area": "Inget område",
@@ -370,7 +372,7 @@
"add_category": "Lägg till kategori",
"add_new_category_name": "Lägg till kategori \"{name}\"",
"add_new_category": "Lägg till ny kategori",
- "category_picker_no_categories": "Du har inga kategorier",
+ "category_picker_no_categories": "Det finns inga kategorier",
"no_matching_categories_found": "Inga matchande kategorier hittades",
"add_dialog_text": "Fyll i namnet för den den nya kategorin",
"failed_to_create_category": "Misslyckades med att skapa kategori",
@@ -380,12 +382,12 @@
"add_label": "Lägg till etikett",
"add_new_label_name": "Lägg till ny etikett \"{name}\"",
"add_new_label": "Lägg till ny etikett...",
- "label_picker_no_labels": "Du har inga etiketter",
+ "label_picker_no_labels": "Det finns inga etiketter",
"no_matching_labels_found": "Inga matchande etiketter hittades",
"show_areas": "Visa områden",
"add_new_area_name": "Lägg till nytt område '' {name} ''",
"add_new_area": "Lägg till nytt område …",
- "area_picker_no_areas": "Du har inga områden",
+ "area_picker_no_areas": "Det finns inga områden",
"no_matching_areas_found": "Inga matchande områden hittades",
"unassigned_areas": "Ej tilldelade områden",
"failed_to_create_area": "Misslyckades med att skapa område.",
@@ -395,7 +397,7 @@
"show_floors": "Visa våningar",
"add_new_floor_name": "Lägg till ny våning \"{name}\"",
"add_new_floor": "Lägg till ny våning...",
- "floor_picker_no_floors": "Du har inga våningar",
+ "floor_picker_no_floors": "Det finns inga våningar",
"no_matching_floors_found": "Inga matchande våningar hittades",
"failed_to_create_floor": "Misslyckades med att skapa våning.",
"ui_components_floor_picker_add_dialog_failed_create_floor": "Det gick inte att skapa våning.",
@@ -408,7 +410,7 @@
"show_area": "Visa {area}",
"hide_area": "Göm {area}",
"statistic": "Statistik",
- "statistic_picker_no_statistics": "Du har ingen statistik",
+ "statistic_picker_no_statistics": "Det finns ingen statistik",
"no_matching_statistics_found": "Ingen matchande statistik hittades",
"statistic_picker_missing_entity": "Varför är min entitet inte listad?",
"learn_more_about_statistics": "Lär dig mer om statistik",
@@ -567,7 +569,7 @@
"url": "URL",
"video": "Video",
"media_browser_media_player_unavailable": "Den valda mediaspelaren är inte tillgänglig.",
- "auto": "Auto",
+ "auto": "Automatisk",
"grid": "Rutnät",
"list": "Lista",
"task_name": "Namn på uppgift",
@@ -644,6 +646,7 @@
"last_updated": "Senast uppdaterad",
"remaining_time": "Återstående tid",
"install_status": "Installationsstatus",
+ "ui_components_multi_textfield_add_item": "Lägg till {item}",
"safe_mode": "Felsäkert läge",
"all_yaml_configuration": "All YAML-konfigurering",
"domain": "Domän",
@@ -746,7 +749,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Skapa säkerhetskopia innan du uppdaterar",
"update_instructions": "Uppdateringsanvisningar",
"current_activity": "Nuvarande aktivitet",
- "status": "Status",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Dammsugarkommandon:",
"fan_speed": "Fläkthastighet",
"clean_spot": "Städa punkt",
@@ -781,7 +784,7 @@
"default_code": "Standard kod",
"editor_default_code_error": "Koden matchar inte kodformatet",
"entity_id": "Entitets-ID",
- "unit_of_measurement": "Måttenhet",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "Nederbördsenhet",
"display_precision": "Visningsprecision",
"default_value": "Standard ( {value} )",
@@ -802,7 +805,7 @@
"cold": "Kallt",
"connectivity": "Uppkoppling",
"gas": "Gas",
- "heat": "Värme",
+ "heat": "Uppvärmning",
"light": "Belysning",
"moisture": "Fukt",
"motion": "Rörelse",
@@ -863,7 +866,7 @@
"restart_home_assistant": "Starta om Home Assistant?",
"advanced_options": "Avancerade alternativ",
"quick_reload": "Snabb omladdning",
- "reload_description": "Laddar om alla tillgängliga skript.",
+ "reload_description": "Laddar om timers från YAML-konfigurationen.",
"reloading_configuration": "Laddar om konfigureringen",
"failed_to_reload_configuration": "Misslyckades med att ladda om konfigureringen",
"restart_description": "Avbryter alla pågående automatiseringar och skript.",
@@ -890,8 +893,8 @@
"password": "Lösenord",
"regex_pattern": "Regex-mönster",
"used_for_client_side_validation": "Används för validering på klientsidan",
- "minimum_value": "Minsta värde",
- "maximum_value": "Högsta värde",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Inmatningsfält",
"slider": "Skjutreglage",
"step_size": "Steglängd",
@@ -941,7 +944,7 @@
"no_triggers": "Inga utlösare",
"payload_display": "Visning av nyttolast",
"show_as_yaml": "Visa som YAML",
- "trigger": "Utlösare",
+ "triggers": "Utlösare",
"unsupported_title": "Du kör en installation som inte stöds",
"reasons_apparmor": "AppArmor är inte aktiverat på värden",
"content_trust_validation_is_disabled": "Validering av innehållstillförlitlighet är inaktiverad",
@@ -1209,7 +1212,7 @@
"ui_panel_lovelace_editor_edit_view_type_warning_sections": "Du kan inte ändra din vy så att den använder vytypen \"sektioner\" eftersom migrering inte stöds ännu. Börja om från början med en ny vy om du vill experimentera med vyn \"sektioner\".",
"card_configuration": "Konfigurering av kort",
"type_card_configuration": "{type} Konfigurering av kort",
- "edit_card_pick_card": "Vilket kort vill du lägga till?",
+ "add_to_dashboard": "Lägg till i kontrollpanel",
"toggle_editor": "Visa / Dölj redigerare",
"you_have_unsaved_changes": "Du har osparade ändringar",
"edit_card_confirm_cancel": "Är du säker på att du vill avbryta?",
@@ -1239,7 +1242,6 @@
"edit_badge_pick_badge": "Vilken bricka skulle du vilja lägga till?",
"add_badge": "Lägg till bricka",
"suggest_card_header": "Vi har skapat ett förslag för dig",
- "add_to_dashboard": "Lägg till i kontrollpanel",
"move_card_strategy_error_title": "Omöjligt att flytta kortet",
"card_moved_successfully": "Kortet har flyttats",
"error_while_moving_card": "Fel när kortet flyttades",
@@ -1413,6 +1415,11 @@
"graph_type": "Typ av kurva",
"to_do_list": "Att göra-lista",
"hide_completed_items": "Dölj färdiga objekt",
+ "ui_panel_lovelace_editor_card_todo_list_display_order": "Visningsordning",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc": "Alfabetiskt (A-Z)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_desc": "Alfabetiskt (Z-A)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc": "Förfallodatum (Tidigast först)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc": "Förfallodatum (Senast först)",
"thermostat": "Termostat",
"thermostat_show_current_as_primary": "Visa aktuell temperatur som primär information",
"tile": "Bricka",
@@ -1517,140 +1524,119 @@
"now": "Nu",
"compare_data": "Jämför data",
"reload_ui": "Ladda om användargränssnittet",
- "tag": "Tagg",
- "input_datetime": "Mata in datum och tid",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Lokal kalender",
- "intent": "Intent",
- "device_tracker": "Enhetsspårare",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Välj av eller på",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "tag": "Tagg",
+ "media_source": "Media Source",
+ "mobile_app": "Mobilapp",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostik",
+ "filesize": "Filstorlek",
+ "group": "Grupp",
+ "binary_sensor": "Binär sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Inmatningsknapp",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Loggare",
"fan": "Fläkt",
- "weather": "Väder",
- "camera": "Kamera",
+ "scene": "Scene",
"schedule": "Schema",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Väder",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Konversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Mata in text",
- "valve": "Ventil",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Klimat",
- "binary_sensor": "Binär sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellit",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Skydd",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Ventil",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Skydd",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Lokal kalender",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Gräsklippare",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zon",
- "auth": "Auth",
- "event": "Händelse",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Enhetsspårare",
+ "remote": "Fjärrkontroll",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Brytare",
+ "persistent_notification": "Beständig avisering",
+ "vacuum": "Dammsugare",
+ "reolink": "Reolink",
+ "camera": "Kamera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Beständig avisering",
- "trace": "Trace",
- "remote": "Fjärrkontroll",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Räknare",
- "filesize": "Filstorlek",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Mata in tal",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi strömförsörjningskontroll",
+ "conversation": "Konversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Klimat",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Välj av eller på",
- "lawn_mower": "Gräsklippare",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Händelse",
+ "zone": "Zon",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Larmkontrollpanel",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobilapp",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Brytare",
+ "input_datetime": "Mata in datum och tid",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Räknare",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Autentiseringsuppgifter för applikationer",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Grupp",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostik",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Mata in text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Mata in tal",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Autentiseringsuppgifter för applikationer",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Loggare",
- "input_button": "Inmatningsknapp",
- "vacuum": "Dammsugare",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi strömförsörjningskontroll",
- "assist_satellite": "Assist satellit",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Aktivitet kalorier",
- "awakenings_count": "Antal uppvak",
- "battery_level": "Batterinivå",
- "bmi": "BMI",
- "body_fat": "Kroppsfett",
- "calories": "Kalorier",
- "calories_bmr": "Kalorier BMR",
- "calories_in": "Kalorier in",
- "floors": "Våningar",
- "minutes_after_wakeup": "Minuter efter väckning",
- "minutes_fairly_active": "Minuter ganska aktiva",
- "minutes_lightly_active": "Minuter lätt aktiva",
- "minutes_sedentary": "Minuter stillasittande",
- "minutes_very_active": "Minuter mycket aktiva",
- "resting_heart_rate": "Vilopuls",
- "sleep_efficiency": "Sömneffektivitet",
- "sleep_minutes_asleep": "Sömn minuter sovandes",
- "sleep_minutes_awake": "Sömn minuter vaken",
- "sleep_minutes_to_fall_asleep_name": "Sömn minuter att somna",
- "sleep_start_time": "Starttid för sömn",
- "sleep_time_in_bed": "Sömntid i sängen",
- "step": "Steg",
"battery_low": "Låg batterinivå",
"cloud_connection": "Molnanslutning",
"humidity_warning": "Varning för luftfuktighet",
@@ -1679,6 +1665,7 @@
"alarm_source": "Larmkälla",
"auto_off_at": "Auto av vid",
"available_firmware_version": "Tillgänglig firmwareversion",
+ "battery_level": "Batterinivå",
"this_month_s_consumption": "Månadens förbrukning",
"today_s_consumption": "Dagens förbrukning",
"total_consumption": "Total förbrukning",
@@ -1703,32 +1690,20 @@
"motion_sensor": "Rörelsesensor",
"smooth_transitions": "Mjuka övergångar",
"tamper_detection": "Detektering av sabotage",
- "next_dawn": "Nästa gryning",
- "next_dusk": "Nästa skymning",
- "next_midnight": "Nästa midnatt",
- "next_noon": "Nästa middag",
- "next_rising": "Nästa soluppgång",
- "next_setting": "Nästa solnedgång",
- "solar_azimuth": "Solens azimut",
- "solar_elevation": "Solhöjd",
- "day_of_week": "Veckodag",
- "noise": "Brus",
- "overload": "Överbelastning",
- "working_location": "Arbetsplats",
- "created": "Skapad",
- "size": "Storlek",
- "size_in_bytes": "Storlek i byte",
- "compressor_energy_consumption": "Kompressorns energiförbrukning",
- "compressor_estimated_power_consumption": "Kompressorns uppskattade strömförbrukning",
- "compressor_frequency": "Kompressorns frekvens",
- "cool_energy_consumption": "Kyla energiförbrukning",
- "energy_consumption": "Energiförbrukning",
- "heat_energy_consumption": "Värme energiförbrukning",
- "inside_temperature": "Inomhustemperatur",
- "outside_temperature": "Utomhustemperatur",
- "process_process": "Bearbeta {process}",
- "disk_free_mount_point": "Disk ledigt {mount_point}",
- "disk_use_mount_point": "Diskanvändning {mount_point}",
+ "calibration": "Kalibrering",
+ "auto_lock_paused": "Autolåsning pausad",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Larm för öppen dörr",
+ "unlocked_alarm": "Larm för olåst dörr",
+ "bluetooth_signal": "Bluetooth-signal",
+ "light_level": "Ljusnivå",
+ "wi_fi_signal": "WiFi-signal",
+ "momentary": "Momentan",
+ "pull_retract": "Dra/dra tillbaka",
+ "process_process": "Process {process}",
+ "disk_free_mount_point": "Ledigt diskutrymme {mount_point}",
+ "disk_use_mount_point": "Använt diskutrymme {mount_point}",
+ "disk_usage_mount_point": "Diskanvändning {mount_point}",
"ipv_address_ip_address": "IPv6-adress {ip_address}",
"last_boot": "Senaste uppstart",
"load_m": "Belastning (5m)",
@@ -1740,40 +1715,80 @@
"packets_in_interface": "Paket in {interface}",
"packets_out_interface": "Paket ut {interface}",
"processor_temperature": "Processortemperatur",
- "processor_use": "Processoranvändning",
+ "cpu_usage": "Processoranvändning",
"swap_free": "Swap ledigt",
"swap_use": "Swap används",
"swap_usage": "Swap används (procent)",
"network_throughput_in_interface": "Nätverksgenomströmning in {interface}",
"network_throughput_out_interface": "Nätverksgenomströmning ut {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assistans pågår",
- "preferred": "Föredragen",
- "finished_speaking_detection": "Slutdetektering av röstkommando",
- "aggressive": "Aggressiv",
- "relaxed": "Avslappnad",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU-procent",
- "disk_free": "Fri disk",
- "disk_total": "Total disk",
- "disk_used": "Disk används",
- "memory_percent": "Minnesprocent",
- "version": "Version",
- "newest_version": "Nyaste versionen",
+ "day_of_week": "Veckodag",
+ "noise": "Brus",
+ "overload": "Överbelastning",
+ "activity_calories": "Aktivitet kalorier",
+ "awakenings_count": "Antal uppvak",
+ "bmi": "BMI",
+ "body_fat": "Kroppsfett",
+ "calories": "Kalorier",
+ "calories_bmr": "Kalorier BMR",
+ "calories_in": "Kalorier in",
+ "floors": "Våningar",
+ "minutes_after_wakeup": "Minuter efter väckning",
+ "minutes_fairly_active": "Minuter ganska aktiva",
+ "minutes_lightly_active": "Minuter lätt aktiva",
+ "minutes_sedentary": "Minuter stillasittande",
+ "minutes_very_active": "Minuter mycket aktiva",
+ "resting_heart_rate": "Vilopuls",
+ "sleep_efficiency": "Sömneffektivitet",
+ "sleep_minutes_asleep": "Sömn minuter sovandes",
+ "sleep_minutes_awake": "Sömn minuter vaken",
+ "sleep_minutes_to_fall_asleep_name": "Sömn minuter att somna",
+ "sleep_start_time": "Starttid för sömn",
+ "sleep_time_in_bed": "Sömntid i sängen",
+ "step": "Steg",
"synchronize_devices": "Synkronisera enheter",
- "estimated_distance": "Uppskattat avstånd",
- "vendor": "Leverantör",
- "quiet": "Tyst",
- "wake_word": "Väckord",
- "okay_nabu": "Okej Nabu",
- "auto_gain": "Auto-gain",
+ "ding": "Ding",
+ "last_recording": "Senaste inspelning",
+ "intercom_unlock": "Intercom lås upp",
+ "doorbell_volume": "Dörrklockans volym",
"mic_volume": "Mikrofonvolym",
- "noise_suppression_level": "Nivå för ljuddämpning",
- "off": "Av",
- "mute": "Mute",
+ "voice_volume": "Röstvolym",
+ "last_activity": "Senaste aktivitet",
+ "last_ding": "Senaste ding",
+ "last_motion": "Senaste rörelse",
+ "wi_fi_signal_category": "Wifi signalkategori",
+ "wi_fi_signal_strength": "Wifi signalstyrka",
+ "in_home_chime": "Ringklocka i hemmet",
+ "compressor_energy_consumption": "Kompressorns energiförbrukning",
+ "compressor_estimated_power_consumption": "Kompressorns uppskattade strömförbrukning",
+ "compressor_frequency": "Kompressorns frekvens",
+ "cool_energy_consumption": "Kyla energiförbrukning",
+ "energy_consumption": "Energiförbrukning",
+ "heat_energy_consumption": "Värme energiförbrukning",
+ "inside_temperature": "Inomhustemperatur",
+ "outside_temperature": "Utomhustemperatur",
+ "device_admin": "Enhetsadministratör",
+ "kiosk_mode": "Kioskläge",
+ "plugged_in": "Inkopplad",
+ "load_start_url": "Läs in start-URL",
+ "restart_browser": "Starta om webbläsaren",
+ "restart_device": "Starta om enhet",
+ "send_to_background": "Skicka till bakgrunden",
+ "bring_to_foreground": "Ta fram i förgrunden",
+ "screenshot": "Skärmdump",
+ "overlay_message": "Överlagrad avisering",
+ "screen_brightness": "Skärmens ljusstyrka",
+ "screen_off_timer": "Timer för avstängning av skärm",
+ "screensaver_brightness": "Skärmsläckarens ljusstyrka",
+ "screensaver_timer": "Timer för skärmsläckare",
+ "current_page": "Aktuell sida",
+ "foreground_app": "App för förgrund",
+ "internal_storage_free_space": "Ledigt utrymme för intern lagring",
+ "internal_storage_total_space": "Totalt utrymme för intern lagring",
+ "total_memory": "Totalt minne",
+ "screen_orientation": "Skärmorientering",
+ "kiosk_lock": "Kiosk-lås",
+ "maintenance_mode": "Underhållsläge",
+ "screensaver": "Skärmsläckare",
"animal": "Djur",
"detected": "Detekterad",
"animal_lens": "Djur lins 1",
@@ -1847,6 +1862,7 @@
"pir_sensitivity": "PIR-känslighet",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto-snabbsvarsmeddelande",
+ "off": "Av",
"auto_track_method": "Metod för automatisk spårning",
"digital": "Digitalt",
"digital_first": "Digitalt först",
@@ -1892,12 +1908,10 @@
"charging": "Laddar",
"discharging": "Urladdning",
"battery_temperature": "Batteritemperatur",
- "cpu_usage": "CPU-användning",
"hdd_hdd_index_storage": "HDD {hdd_index} lagring",
"ptz_pan_position": "PTZ panoreringsläge",
"ptz_tilt_position": "PTZ tiltposition",
"sd_hdd_index_storage": "SD {hdd_index} lagring",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Autofokus",
"auto_tracking": "Automatisk spårning",
"doorbell_button_sound": "Ljud på dörrklockan",
@@ -1913,6 +1927,48 @@
"record": "Spela in",
"record_audio": "Spela in ljud",
"siren_on_event": "Siren vid händelse",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Skapad",
+ "size": "Storlek",
+ "size_in_bytes": "Storlek i byte",
+ "assist_in_progress": "Assistans pågår",
+ "quiet": "Tyst",
+ "preferred": "Föredragen",
+ "finished_speaking_detection": "Slutdetektering av röstkommando",
+ "aggressive": "Aggressiv",
+ "relaxed": "Avslappnad",
+ "wake_word": "Väckord",
+ "okay_nabu": "Okej Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "Processorprocent",
+ "disk_free": "Ledigt diskutrymme",
+ "disk_total": "Totalt diskutrymme",
+ "disk_used": "Använt diskutrymme",
+ "memory_percent": "Minnesprocent",
+ "version": "Version",
+ "newest_version": "Nyaste versionen",
+ "auto_gain": "Auto-gain",
+ "noise_suppression_level": "Nivå för ljuddämpning",
+ "mute": "Mute",
+ "bytes_received": "Bytes mottagna",
+ "server_country": "Serverns land",
+ "server_id": "Server-ID",
+ "server_name": "Serverns namn",
+ "ping": "Ping",
+ "upload": "Uppladdning",
+ "bytes_sent": "Bytes skickade",
+ "working_location": "Arbetsplats",
+ "next_dawn": "Nästa gryning",
+ "next_dusk": "Nästa skymning",
+ "next_midnight": "Nästa midnatt",
+ "next_noon": "Nästa middag",
+ "next_rising": "Nästa soluppgång",
+ "next_setting": "Nästa solnedgång",
+ "solar_azimuth": "Solens azimut",
+ "solar_elevation": "Solhöjd",
"heavy": "Kraftig",
"mild": "Mild",
"button_down": "Knapp ned",
@@ -1924,76 +1980,251 @@
"state_single_long": "Kort tryck och sedan långt tryck",
"triple_push": "Trippeltryck",
"normal": "Normal",
- "warm_up": "Uppvärmning",
"not_completed": "Inte klart",
"checking": "Kontrollerar",
"closing": "Stänger",
"opened": "Öppnad",
- "ding": "Ding",
- "last_recording": "Senaste inspelning",
- "intercom_unlock": "Intercom lås upp",
- "doorbell_volume": "Dörrklockans volym",
- "voice_volume": "Röstvolym",
- "last_activity": "Senaste aktivitet",
- "last_ding": "Senaste ding",
- "last_motion": "Senaste rörelse",
- "wi_fi_signal_category": "Wifi signalkategori",
- "wi_fi_signal_strength": "Wifi signalstyrka",
- "in_home_chime": "Ringklocka i hemmet",
- "calibration": "Kalibrering",
- "auto_lock_paused": "Autolåsning pausad",
- "timeout": "Timeout",
- "unclosed_alarm": "Larm för öppen dörr",
- "unlocked_alarm": "Larm för olåst dörr",
- "bluetooth_signal": "Bluetooth-signal",
- "light_level": "Ljusnivå",
- "momentary": "Momentan",
- "pull_retract": "Dra/dra tillbaka",
- "bytes_received": "Bytes mottagna",
- "server_country": "Serverns land",
- "server_id": "Server-ID",
- "server_name": "Serverns namn",
- "ping": "Ping",
- "upload": "Uppladdning",
- "bytes_sent": "Bytes skickade",
- "device_admin": "Enhetsadministratör",
- "kiosk_mode": "Kioskläge",
- "plugged_in": "Inkopplad",
- "load_start_url": "Läs in start-URL",
- "restart_browser": "Starta om webbläsaren",
- "restart_device": "Starta om enheten",
- "send_to_background": "Skicka till bakgrunden",
- "bring_to_foreground": "Ta fram i förgrunden",
- "screenshot": "Skärmdump",
- "overlay_message": "Överlagrad avisering",
- "screen_brightness": "Skärmens ljusstyrka",
- "screen_off_timer": "Timer för avstängning av skärm",
- "screensaver_brightness": "Skärmsläckarens ljusstyrka",
- "screensaver_timer": "Timer för skärmsläckare",
- "current_page": "Aktuell sida",
- "foreground_app": "App för förgrund",
- "internal_storage_free_space": "Ledigt utrymme för intern lagring",
- "internal_storage_total_space": "Totalt utrymme för intern lagring",
- "total_memory": "Totalt minne",
- "screen_orientation": "Skärmorientering",
- "kiosk_lock": "Kiosk-lås",
- "maintenance_mode": "Underhållsläge",
- "screensaver": "Skärmsläckare",
- "last_scanned_by_device_id_name": "Senast skannad av enhets-ID",
- "tag_id": "Tagg-ID",
- "managed_via_ui": "Hanteras via användargränssnittet",
- "max_length": "Max längd",
- "min_length": "Min längd",
- "pattern": "Mönster",
- "minute": "Minut",
- "second": "Sekund",
- "timestamp": "Tidsstämpel",
- "stopped": "Stoppad",
+ "estimated_distance": "Uppskattat avstånd",
+ "vendor": "Leverantör",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binär ingång",
+ "calibrated": "Kalibrerad",
+ "consumer_connected": "Ansluten konsument",
+ "external_sensor": "Extern sensor",
+ "frost_lock": "Frost lås",
+ "opened_by_hand": "Öppnad för hand",
+ "heat_required": "Värme krävs",
+ "ias_zone": "IAS-zon",
+ "linkage_alarm_state": "Larmstatus för koppling",
+ "mounting_mode_active": "Monteringsläge aktivt",
+ "open_window_detection_status": "Status för upptäckt av öppna fönster",
+ "pre_heat_status": "Status för förvärmning",
+ "replace_filter": "Byt ut filtret",
+ "valve_alarm": "Ventil larm",
+ "open_window_detection": "Detektering av öppna fönster",
+ "feed": "Utfodra",
+ "frost_lock_reset": "Återställning av frostlås",
+ "presence_status_reset": "Återställning av närvarostatus",
+ "reset_summation_delivered": "Återställningssummering levererad",
+ "self_test": "Självtest",
+ "keen_vent": "Keen-ventil",
+ "fan_group": "Fläktgrupp",
+ "light_group": "Ljusgrupp",
+ "door_lock": "Dörrlås",
+ "ambient_sensor_correction": "Korrigering av omgivningssensor",
+ "approach_distance": "Inflygningsavstånd",
+ "automatic_switch_shutoff_timer": "Timer för automatisk avstängning",
+ "away_preset_temperature": "Temperatur bortaläge",
+ "boost_amount": "Boost mängd",
+ "button_delay": "Knappfördröjning",
+ "local_default_dimming_level": "Lokal förinställd dimnivå",
+ "remote_default_dimming_level": "Fjärrstyrd förinställd dimnivå",
+ "default_move_rate": "Standardflyttningshastighet",
+ "detection_delay": "Detekteringsfördröjning",
+ "maximum_range": "Maximal räckvidd",
+ "minimum_range": "Minsta räckvidd",
+ "detection_interval": "Detekteringsintervall",
+ "local_dimming_down_speed": "Dimmerhastighet ner vid direktmanövrering",
+ "remote_dimming_down_speed": "Dimmerhastighet ner vid fjärrmanövrering",
+ "local_dimming_up_speed": "Dimmerhastighet upp vid direktmanövrering",
+ "remote_dimming_up_speed": "Dimmerhastighet upp vid fjärrmanövrering",
+ "display_activity_timeout": "Display timeout efter aktivitet",
+ "display_brightness": "Display ljusstyrka",
+ "display_inactive_brightness": "Display ljusstyrka vid inaktivitet",
+ "double_tap_down_level": "Nivåändring vid dubbeltryck ner",
+ "double_tap_up_level": "Nivåändring vid dubbeltryck upp",
+ "exercise_start_time": "Träningens starttid",
+ "external_sensor_correction": "Korrigering av extern sensor",
+ "external_temperature_sensor": "Extern temperatursensor",
+ "fade_time": "Fade-tid",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filterlivslängd",
+ "fixed_load_demand": "Fast belastningsbehov",
+ "frost_protection_temperature": "Temperatur för frostskydd",
+ "irrigation_cycles": "Bevattningscykler",
+ "irrigation_interval": "Bevattningsintervall",
+ "irrigation_target": "Bevattningsmål",
+ "led_color_when_off_name": "Standardfärg vid avslag av all LED",
+ "led_color_when_on_name": "Standardfärg vid påslag av all LED",
+ "led_intensity_when_off_name": "Standardintensitet vid avslag av all LED",
+ "led_intensity_when_on_name": "Standardintensitet vid påslag av all LED",
+ "load_level_indicator_timeout": "Tidsgräns för lastnivåindikator",
+ "load_room_mean": "Medelvärde för last",
+ "local_temperature_offset": "Lokal temperatur offset",
+ "max_heat_setpoint_limit": "Maximal börvärdesgräns för värme",
+ "maximum_load_dimming_level": "Högsta nivå vid dimning",
+ "min_heat_setpoint_limit": "Minsta börvärdesgräns för värme",
+ "minimum_load_dimming_level": "Lägsta nivå vid dimning",
+ "off_led_intensity": "Av LED-intensitet",
+ "off_transition_time": "Övergångstid vid avstängning",
+ "on_led_intensity": "På LED-intensitet",
+ "on_level": "Nivå vid påslag",
+ "on_off_transition_time": "Övergångstid vid växling",
+ "on_transition_time": "Övergångstid vid påslag",
+ "open_window_detection_guard_period_name": "Bevakningsperiod för detektering av öppet fönster",
+ "open_window_detection_threshold": "Tröskelvärde för detektering av öppet fönster",
+ "open_window_event_duration": "Varaktighet på händelse för öppet fönster",
+ "portion_weight": "Portionsvikt",
+ "presence_detection_timeout": "Timeout för närvarodetektering",
+ "presence_sensitivity": "Närvarokänslighet",
+ "quick_start_time": "Snabb starttid",
+ "ramp_rate_off_to_on_local_name": "Lokal ramphastighet av till på",
+ "ramp_rate_off_to_on_remote_name": "Fjärrstyrd ramphastighet av till på",
+ "ramp_rate_on_to_off_local_name": "Lokal ramphastighet på till av",
+ "ramp_rate_on_to_off_remote_name": "Fjärrstyrd ramphastighet på till av",
+ "regulation_setpoint_offset": "Förskjutning av börvärde",
+ "regulator_set_point": "Regulator börvärde",
+ "serving_to_dispense": "Serveringstorlek",
+ "siren_time": "Sirentid",
+ "start_up_color_temperature": "Färgtemperatur vid start",
+ "start_up_current_level": "Nivå vid start",
+ "start_up_default_dimming_level": "Start-up standard dimnivå",
+ "timer_duration": "Varaktighet för timer",
+ "timer_time_left": "Timertid kvar",
+ "transmit_power": "Sändningseffekt",
+ "valve_closing_degree": "Ventilens stängningsgrad",
+ "irrigation_time": "Bevattningstid 2",
+ "valve_opening_degree": "Ventilens öppningsgrad",
+ "adaptation_run_command": "Anpassning kör kommando",
+ "backlight_mode": "Läge för bakgrundsbelysning",
+ "click_mode": "Klickläge",
+ "control_type": "Kontrolltyp",
+ "decoupled_mode": "Frånkopplat läge",
+ "default_siren_level": "Standardnivå för siren",
+ "default_siren_tone": "Standardton för siren",
+ "default_strobe": "Standardläge för strobe",
+ "default_strobe_level": "Standardnivå för strobe",
+ "detection_distance": "Detektionsavstånd",
+ "detection_sensitivity": "Detektionskänslighet",
+ "exercise_day_of_week_name": "Träningsdag i veckan",
+ "external_temperature_sensor_type": "Typ av extern temperatursensor",
+ "external_trigger_mode": "Externt triggerläge",
+ "heat_transfer_medium": "Medium för värmeöverföring",
+ "heating_emitter_type": "Typ av värmesändare",
+ "heating_fuel": "Bränsle för uppvärmning",
+ "non_neutral_output": "Icke-neutral utgång",
+ "irrigation_mode": "Bevattningsläge",
+ "keypad_lockout": "Knappsatslås",
+ "dimming_mode": "Dimningsläge",
+ "led_scaling_mode": "Led-skalningsläge",
+ "local_temperature_source": "Lokal temperaturkälla",
+ "monitoring_mode": "Övervakningsläge",
+ "off_led_color": "Av LED-färg",
+ "on_led_color": "På LED-färg",
+ "operation_mode": "Driftläge",
+ "output_mode": "Utgångsläge",
+ "power_on_state": "Startläge",
+ "regulator_period": "Regulatorperiod",
+ "sensor_mode": "Sensorläge",
+ "setpoint_response_time": "Börvärdets svarstid",
+ "smart_fan_led_display_levels_name": "Smart fläktled displaynivåer",
+ "start_up_behavior": "Uppstartsbeteende",
+ "switch_mode": "Växla läge",
+ "switch_type": "Brytartyp",
+ "thermostat_application": "Termostatapplikation",
+ "thermostat_mode": "Termostatläge",
+ "valve_orientation": "Ventilorientering",
+ "viewing_direction": "Visningsriktning",
+ "weather_delay": "Försening på grund av väder",
+ "curtain_mode": "Gardinläge",
+ "ac_frequency": "AC frekvens",
+ "adaptation_run_status": "Status för anpassningskörning",
+ "in_progress": "Pågående",
+ "run_successful": "Körningen lyckades",
+ "valve_characteristic_lost": "Ventilkarakteristik förlorad",
+ "analog_input": "Analog ingång",
+ "control_status": "Kontrollstatus",
+ "device_run_time": "Enhetens drifttid",
+ "device_temperature": "Enhetens temperatur",
+ "target_distance": "Avstånd till mål",
+ "filter_run_time": "Körtid för filter",
+ "formaldehyde_concentration": "Formaldehydkoncentration",
+ "hooks_state": "Hooks tillstånd",
+ "hvac_action": "HVAC-aktivitet",
+ "instantaneous_demand": "Momentan efterfrågan",
+ "internal_temperature": "Intern temperatur",
+ "irrigation_duration": "Bevattningslängd 1",
+ "last_irrigation_duration": "Senaste bevattningslängd",
+ "irrigation_end_time": "Sluttid för bevattning",
+ "irrigation_start_time": "Starttid för bevattning",
+ "last_feeding_size": "Senaste foderstorlek",
+ "last_feeding_source": "Senaste foderkälla",
+ "last_illumination_state": "Senaste belysningstillstånd",
+ "last_valve_open_duration": "Senaste ventilöppningstid",
+ "leaf_wetness": "Bladvåthet",
+ "load_estimate": "Lastuppskattning",
+ "floor_temperature": "Golvtemperatur",
+ "lqi": "LQI",
+ "motion_distance": "Rörelseavstånd",
+ "motor_stepcount": "Motor stegräkning",
+ "open_window_detected": "Öppet fönster upptäckt",
+ "overheat_protection": "Överhettningsskydd",
+ "pi_heating_demand": "Pi värmebehov",
+ "portions_dispensed_today": "Portioner utdelade idag",
+ "pre_heat_time": "Förvärmningstid",
+ "rssi": "RSSI",
+ "self_test_result": "Självtestresultat",
+ "setpoint_change_source": "Källa för ändring av börvärde",
+ "smoke_density": "Röktäthet",
+ "software_error": "Mjukvarufel",
+ "good": "Bra",
+ "critical_low_battery": "Kritiskt låg batterinivå",
+ "encoder_jammed": "Encoder har fastnat",
+ "invalid_clock_information": "Ogiltig klockinformation",
+ "invalid_internal_communication": "Ogiltig intern kommunikation",
+ "motor_error": "Motorfel",
+ "non_volatile_memory_error": "Icke-volatilt minnesfel",
+ "radio_communication_error": "Fel i radiokommunikationen",
+ "side_pcb_sensor_error": "Fel på sensor för sido-PCB",
+ "top_pcb_sensor_error": "Fel på sensor för topp-PCB",
+ "unknown_hw_error": "Okänt HW-fel",
+ "soil_moisture": "Jordfuktighet",
+ "summation_delivered": "Summering av leverans",
+ "summation_received": "Summering mottagen",
+ "tier_summation_delivered": "Summering av leverans nivå 6",
+ "timer_state": "Tillstånd för timer",
+ "time_left": "Tid kvar",
+ "weight_dispensed_today": "Vikt utdelad idag",
+ "window_covering_type": "Typ av fönstertäckning",
+ "adaptation_run_enabled": "Anpassningskörning aktiverad",
+ "aux_switch_scenes": "Brytare för Aux-scener",
+ "binding_off_to_on_sync_level_name": "Parar av-till-på-synkroniseringsnivå",
+ "buzzer_manual_alarm": "Summer manuellt larm",
+ "buzzer_manual_mute": "Manuell avstängning av summer",
+ "detach_relay": "Lossa relä",
+ "disable_clear_notifications_double_tap_name": "Inaktivera 2x tryck för att rensa aviseringar",
+ "disable_led": "Inaktivera LED",
+ "double_tap_down_enabled": "Dubbeltryck ned aktiverad",
+ "double_tap_up_enabled": "Dubbeltryck upp aktiverat",
+ "double_up_full_name": "Dubbeltryck på - full",
+ "enable_siren": "Aktivera sirén",
+ "external_window_sensor": "Extern fönstersensor",
+ "distance_switch": "Avstånd brytare",
+ "firmware_progress_led": "LED för uppdatering av firmware",
+ "heartbeat_indicator": "Hjärtslagsindikator",
+ "heat_available": "Värme tillgänglig",
+ "hooks_locked": "Hooks låsta",
+ "invert_switch": "Invertera brytare",
+ "led_indicator": "LED-indikator",
+ "linkage_alarm": "Länklarm",
+ "local_protection": "Lokalt skydd",
+ "mounting_mode": "Monteringsläge",
+ "only_led_mode": "Endast 1 LED-läge",
+ "open_window": "Öppna fönster",
+ "power_outage_memory": "Minne vid strömavbrott",
+ "prioritize_external_temperature_sensor": "Prioritera extern temperaturgivare",
+ "relay_click_in_on_off_mode_name": "Inaktivera reläklick",
+ "smart_bulb_mode": "Lampläge",
+ "smart_fan_mode": "Smart fläktläge",
+ "led_trigger_indicator": "LED-triggerindikator",
+ "turbo_mode": "Turboläge",
+ "use_internal_window_detection": "Använd intern fönsterdetektering",
+ "use_load_balancing": "Använd lastbalansering",
+ "valve_detection": "Ventil detektering",
+ "window_detection": "Fönster detektering",
+ "invert_window_detection": "Invertera fönster detektering",
+ "available_tones": "Tillgängliga signaler",
"gps_accuracy": "GPS-noggrannhet",
- "paused": "Pausad",
- "finishes_at": "Avslutas vid",
- "remaining": "Återstående",
- "restore": "Återställ",
"last_reset": "Senaste återställning",
"possible_states": "Möjliga tillstånd",
"state_class": "Tillståndsklass",
@@ -2024,82 +2255,12 @@
"sound_pressure": "Ljudtryck",
"speed": "Hastighet",
"sulphur_dioxide": "Svaveldioxid",
+ "timestamp": "Tidsstämpel",
"vocs": "VOC",
"volume_flow_rate": "Flödeshastighet",
"stored_volume": "Lagrad volym",
"weight": "Vikt",
- "cool": "Kylning",
- "fan_only": "Enbart fläkt",
- "heat_cool": "Värme/kyla",
- "aux_heat": "Extra värme",
- "current_humidity": "Aktuell fuktighet",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fläktläge",
- "diffuse": "Diffus",
- "middle": "Mellan",
- "top": "Topp",
- "current_action": "Aktuell åtgärd",
- "cooling": "Kyler",
- "defrosting": "Avfrostning",
- "drying": "Torkar",
- "heating": "Värmer",
- "preheating": "Förvärmning",
- "max_target_humidity": "Max målluftfuktighet",
- "max_target_temperature": "Högsta måltemperatur",
- "min_target_humidity": "Min målluftfuktighet",
- "min_target_temperature": "Minsta måltemperatur",
- "boost": "Boost-läge",
- "comfort": "Komfort",
- "eco": "Eco",
- "sleep": "Viloläge",
- "presets": "Förinställningar",
- "horizontal_swing_mode": "Horisontellt svängläge",
- "swing_mode": "Svängläge",
- "both": "Båda",
- "horizontal": "Horisontellt",
- "upper_target_temperature": "Övre måltemperatur",
- "lower_target_temperature": "Lägre måltemperatur",
- "target_temperature_step": "Steg för måltemperatur",
- "not_charging": "Laddar inte",
- "disconnected": "Frånkopplad",
- "connected": "Ansluten",
- "hot": "Varmt",
- "no_light": "Inget ljus",
- "light_detected": "Ljus detekterat",
- "locked": "Låst",
- "unlocked": "Olåst",
- "not_moving": "Ingen rörelse",
- "unplugged": "Urkopplad",
- "not_running": "Kör inte",
- "safe": "Säkert",
- "unsafe": "Osäkert",
- "tampering_detected": "Sabotage upptäckt",
- "automatic": "Automatiskt",
- "box": "Box",
- "above_horizon": "Över horisonten",
- "below_horizon": "Under horisonten",
- "buffering": "Buffrar",
- "playing": "Spelar",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Lokalt tillgänglig entitets bild",
- "group_members": "Gruppmedlemmar",
- "muted": "Ljud avstängt",
- "album_artist": "Albumartist",
- "content_id": "Innehålls-ID",
- "content_type": "Innehållstyp",
- "channels": "Kanaler",
- "position_updated": "Position uppdaterad",
- "series": "Serie",
- "all": "Alla",
- "one": "En",
- "available_sound_modes": "Tillgängliga ljudlägen",
- "available_sources": "Tillgängliga källor",
- "receiver": "Mottagare",
- "speaker": "Högtalare",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Hanteras via användargränssnittet",
"color_mode": "Color Mode",
"brightness_only": "Endast ljusstyrka",
"hs": "HS",
@@ -2115,13 +2276,35 @@
"minimum_color_temperature_kelvin": "Lägsta färgtemperatur (Kelvin)",
"minimum_color_temperature_mireds": "Lägsta färgtemperatur (mireds)",
"available_color_modes": "Tillgängliga färglägen",
- "available_tones": "Tillgängliga signaler",
"docked": "Dockad",
"mowing": "Klipper",
+ "paused": "Pausad",
"returning": "Återvänder",
+ "max_length": "Max längd",
+ "min_length": "Min längd",
+ "pattern": "Mönster",
+ "running_automations": "Automationer som körs",
+ "max_running_scripts": "Maximalt antal skript som körs",
+ "run_mode": "Körläge",
+ "parallel": "Parallell",
+ "queued": "Köad",
+ "single": "Enkel",
+ "auto_update": "Uppdatera automatiskt",
+ "installed_version": "Installerad version",
+ "latest_version": "Senaste version",
+ "release_summary": "Version sammanfattning",
+ "release_url": "Version URL",
+ "skipped_version": "Överhoppad version",
+ "firmware": "Firmware",
"oscillating": "Svängning",
"speed_step": "Hastighetssteg",
"available_preset_modes": "Tillgängliga förinställningslägen",
+ "minute": "Minut",
+ "second": "Sekund",
+ "next_event": "Nästa event",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Klart, natt",
"cloudy": "Molnigt",
"exceptional": "Exceptionellt",
@@ -2144,26 +2327,9 @@
"uv_index": "UV-index",
"wind_bearing": "Vindbäring",
"wind_gust_speed": "Hastighet i vindbyar",
- "auto_update": "Uppdatera automatiskt",
- "in_progress": "Pågående",
- "installed_version": "Installerad version",
- "latest_version": "Senaste version",
- "release_summary": "Version sammanfattning",
- "release_url": "Version URL",
- "skipped_version": "Överhoppad version",
- "firmware": "Firmware",
- "armed_away": "Larmat borta",
- "armed_custom_bypass": "Larmat anpassad förbikoppling",
- "armed_home": "Larmat hemma",
- "armed_night": "Larmat natt",
- "armed_vacation": "Larmat semester",
- "disarming": "Larmar av",
- "triggered": "Larmar",
- "changed_by": "Ändrat av",
- "code_for_arming": "Kod för pålarmning",
- "not_required": "Krävs ej",
- "code_format": "Kodformat",
"identify": "Identifiera",
+ "cleaning": "Städar",
+ "returning_to_dock": "Återgår till docka",
"recording": "Inspelning",
"streaming": "Strömmar",
"access_token": "Åtkomsttoken",
@@ -2172,96 +2338,144 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Modell",
+ "last_scanned_by_device_id_name": "Senast skannad av enhets-ID",
+ "tag_id": "Tagg-ID",
+ "automatic": "Automatiskt",
+ "box": "Box",
+ "jammed": "Fastnat",
+ "locked": "Låst",
+ "locking": "Låser",
+ "unlocked": "Olåst",
+ "unlocking": "Låser upp",
+ "changed_by": "Ändrat av",
+ "code_format": "Kodformat",
+ "members": "Medlemmar",
+ "listening": "Lyssnar",
+ "processing": "Bearbetar",
+ "responding": "Svarar",
+ "id": "ID",
+ "max_running_automations": "Maximalt antal pågående automatiseringar",
+ "cool": "Kylning",
+ "fan_only": "Enbart fläkt",
+ "heat_cool": "Värme/kyla",
+ "aux_heat": "Extra värme",
+ "current_humidity": "Aktuell fuktighet",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fläktläge",
+ "diffuse": "Diffus",
+ "middle": "Mellan",
+ "top": "Topp",
+ "current_action": "Aktuell åtgärd",
+ "cooling": "Kyler",
+ "defrosting": "Avfrostning",
+ "drying": "Torkar",
+ "heating": "Värmer",
+ "preheating": "Förvärmning",
+ "max_target_humidity": "Max målluftfuktighet",
+ "max_target_temperature": "Högsta måltemperatur",
+ "min_target_humidity": "Min målluftfuktighet",
+ "min_target_temperature": "Minsta måltemperatur",
+ "boost": "Boost-läge",
+ "comfort": "Komfort",
+ "eco": "Eco",
+ "sleep": "Viloläge",
+ "presets": "Förinställningar",
+ "horizontal_swing_mode": "Horisontellt svängläge",
+ "swing_mode": "Svängläge",
+ "both": "Båda",
+ "horizontal": "Horisontellt",
+ "upper_target_temperature": "Övre måltemperatur",
+ "lower_target_temperature": "Lägre måltemperatur",
+ "target_temperature_step": "Steg för måltemperatur",
+ "stopped": "Stoppad",
+ "garage": "Garage",
+ "not_charging": "Laddar inte",
+ "disconnected": "Frånkopplad",
+ "connected": "Ansluten",
+ "hot": "Varmt",
+ "no_light": "Inget ljus",
+ "light_detected": "Ljus detekterat",
+ "not_moving": "Ingen rörelse",
+ "unplugged": "Urkopplad",
+ "not_running": "Kör inte",
+ "safe": "Säkert",
+ "unsafe": "Osäkert",
+ "tampering_detected": "Sabotage upptäckt",
+ "buffering": "Buffrar",
+ "playing": "Spelar",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Lokalt tillgänglig entitets bild",
+ "group_members": "Gruppmedlemmar",
+ "muted": "Ljud avstängt",
+ "album_artist": "Albumartist",
+ "content_id": "Innehålls-ID",
+ "content_type": "Innehållstyp",
+ "channels": "Kanaler",
+ "position_updated": "Position uppdaterad",
+ "series": "Serie",
+ "all": "Alla",
+ "one": "En",
+ "available_sound_modes": "Tillgängliga ljudlägen",
+ "available_sources": "Tillgängliga källor",
+ "receiver": "Mottagare",
+ "speaker": "Högtalare",
+ "tv": "TV",
"end_time": "Sluttid",
"start_time": "Starttid",
- "next_event": "Nästa event",
- "garage": "Garage",
"event_type": "Händelsetyp",
"event_types": "Händelsetyper",
"doorbell": "Dörrklocka",
- "running_automations": "Automationer som körs",
- "id": "ID",
- "max_running_automations": "Maximalt antal pågående automatiseringar",
- "run_mode": "Körläge",
- "parallel": "Parallell",
- "queued": "Köad",
- "single": "Enkel",
- "cleaning": "Städar",
- "returning_to_dock": "Återgår till docka",
- "listening": "Lyssnar",
- "processing": "Bearbetar",
- "responding": "Svarar",
- "max_running_scripts": "Maximalt antal skript som körs",
- "jammed": "Fastnat",
- "locking": "Låser",
- "unlocking": "Låser upp",
- "members": "Medlemmar",
- "known_hosts": "Kända värdar",
- "google_cast_configuration": "Google Cast-konfiguration",
- "confirm_description": "Vill du konfigurera {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Konto har redan konfigurerats",
- "abort_already_in_progress": "Konfigurationsflödet pågår redan",
- "failed_to_connect": "Det gick inte att ansluta.",
- "invalid_access_token": "Ogiltig åtkomstnyckel",
- "invalid_authentication": "Ogiltig autentisering",
- "received_invalid_token_data": "Mottog ogiltiga tokendata.",
- "abort_oauth_failed": "Fel vid hämtning av åtkomsttoken.",
- "timeout_resolving_oauth_token": "Timeout vid hämtning av OAuth-token.",
- "abort_oauth_unauthorized": "OAuth-auktoriseringsfel vid hämtning av åtkomsttoken.",
- "re_authentication_was_successful": "Återautentisering lyckades",
- "unexpected_error": "Oväntat fel",
- "successfully_authenticated": "Autentisering lyckades",
- "link_fitbit": "Länka Fitbit",
- "pick_authentication_method": "Välj autentiseringsmetod",
- "authentication_expired_for_name": "Autentiseringen har upphört att gälla för {name}",
+ "above_horizon": "Över horisonten",
+ "below_horizon": "Under horisonten",
+ "armed_away": "Larmat borta",
+ "armed_custom_bypass": "Larmat anpassad förbikoppling",
+ "armed_home": "Larmat hemma",
+ "armed_night": "Larmat natt",
+ "armed_vacation": "Larmat semester",
+ "disarming": "Larmar av",
+ "triggered": "Larmar",
+ "code_for_arming": "Kod för pålarmning",
+ "not_required": "Krävs ej",
+ "finishes_at": "Avslutas vid",
+ "remaining": "Återstående",
+ "restore": "Återställ",
"device_is_already_configured": "Enheten är redan konfigurerad",
+ "failed_to_connect": "Det gick inte att ansluta.",
"abort_no_devices_found": "Inga enheter hittades i nätverket",
+ "re_authentication_was_successful": "Återautentisering lyckades",
"re_configuration_was_successful": "Omkonfigurationen lyckades",
"connection_error_error": "Kan inte ansluta: {error}",
"unable_to_authenticate_error": "Det går inte att autentisera: {error}",
"camera_stream_authentication_failed": "Autentisering av kameraström misslyckades",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "Aktivera kamerans livevisning",
- "username": "Användarnamn",
- "camera_auth_confirm_description": "Input device camera account credentials.",
+ "username": "Username",
+ "camera_auth_confirm_description": "Ange inloggningsuppgifter för kameraenhetens konto.",
"set_camera_account_credentials": "Ange inloggningsuppgifter för kamerakontot",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Autentiseringen har upphört att gälla för {name}",
"host": "Host",
"reconfigure_description": "Uppdatera din konfiguration för enhet {mac}",
"reconfigure_tplink_entry": "Konfigurera om TPLink-posten",
"abort_single_instance_allowed": "Redan konfigurerad. Endast en konfiguration möjlig.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Vill du starta konfigurationen?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Fel vid kommunikation med SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Switchbot-typ som inte stöds.",
+ "unexpected_error": "Oväntat fel",
+ "authentication_failed_error_detail": "Autentisering misslyckades: {error_detail}",
+ "error_encryption_key_invalid": "Nyckel-id eller krypteringsnyckel är ogiltig",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Vill du konfigurera {name}?",
+ "switchbot_account_recommended": "Switchbot-konto (rekommenderas)",
+ "enter_encryption_key_manually": "Ange krypteringsnyckeln manuellt",
+ "encryption_key": "Krypteringsnyckel",
+ "key_id": "Nyckel-ID",
+ "password_description": "Lösenord för att skydda säkerhetskopian.",
+ "mac_address": "MAC-adress",
"service_is_already_configured": "Tjänsten är redan konfigurerad",
- "invalid_ics_file": "Ogiltig .isc-fil",
- "calendar_name": "Kalendernamn",
- "starting_data": "Startdata",
+ "abort_already_in_progress": "Konfigurationsflödet pågår redan",
"abort_invalid_host": "Ogiltigt värdnamn eller IP-adress",
"device_not_supported": "Enheten stöds inte",
+ "invalid_authentication": "Ogiltig autentisering",
"name_model_at_host": "{name} ({model} på {host})",
"authenticate_to_the_device": "Autentisera till enheten",
"finish_title": "Välj ett namn för enheten",
@@ -2269,68 +2483,27 @@
"yes_do_it": "Ja, gör det.",
"unlock_the_device_optional": "Lås upp enheten (valfritt)",
"connect_to_the_device": "Anslut till enheten",
- "abort_missing_credentials": "Integrationen kräver autentiseringsuppgifter för programmet.",
- "timeout_establishing_connection": "Timeout vid upprättande av anslutning",
- "link_google_account": "Länka Google-konto",
- "path_is_not_allowed": "Sökvägen är inte tillåten",
- "path_is_not_valid": "Sökvägen är inte giltig",
- "path_to_file": "Sökväg till filen",
- "api_key": "API-nyckel",
- "configure_daikin_ac": "Konfigurera Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Välj en Bluetooth-adapter som ska konfigureras",
- "arm_away_action": "Larma iväg",
- "arm_custom_bypass_action": "Larma anpassad förbikoppling",
- "arm_home_action": "Larma hemma",
- "arm_night_action": "Larma natt",
- "arm_vacation_action": "Larma semester",
- "code_arm_required": "Kod krävs för tillkoppling",
- "disarm_action": "Avaktivera",
- "trigger_action": "Utlösande åtgärd",
- "value_template": "Värdemall",
- "template_alarm_control_panel": "Mall för larmkontrollpanel",
- "device_class": "Enhetsklass",
- "state_template": "Mall för tillstånd",
- "template_binary_sensor": "Mall för binär sensor",
- "actions_on_press": "Åtgärder vid tryckning",
- "template_button": "Mall för knapp",
- "verify_ssl_certificate": "Verifiera SSL-certifikat",
- "template_image": "Mall för bild",
- "actions_on_set_value": "Åtgärder vid inställt värde",
- "step_value": "Stegvärde",
- "template_number": "Nummer på mall",
- "available_options": "Tillgängliga alternativ",
- "actions_on_select": "Åtgärder vid val",
- "template_select": "Mall för väljare",
- "template_sensor": "Mall för sensor",
- "actions_on_turn_off": "Åtgärder vid avstängning",
- "actions_on_turn_on": "Åtgärder vid aktivering",
- "template_switch": "Mall för brytare",
- "menu_options_alarm_control_panel": "Mall för en larmkontrollpanel",
- "template_a_binary_sensor": "Mall för en binär sensor",
- "template_a_button": "Mall för en knapp",
- "template_an_image": "Mall för en bild",
- "template_a_number": "Mall för ett nummer",
- "template_a_select": "Mall för en väljare",
- "template_a_sensor": "Mall för en sensor",
- "template_a_switch": "Mall för en strömbrytare",
- "template_helper": "Skapa en mall-hjälpare",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Konto har redan konfigurerats",
+ "invalid_access_token": "Ogiltig åtkomstnyckel",
+ "received_invalid_token_data": "Mottog ogiltiga tokendata.",
+ "abort_oauth_failed": "Fel vid hämtning av åtkomsttoken.",
+ "timeout_resolving_oauth_token": "Timeout vid hämtning av OAuth-token.",
+ "abort_oauth_unauthorized": "OAuth-auktoriseringsfel vid hämtning av åtkomsttoken.",
+ "successfully_authenticated": "Autentisering lyckades",
+ "link_fitbit": "Länka Fitbit",
+ "pick_authentication_method": "Välj autentiseringsmetod",
+ "two_factor_code": "Tvåfaktorkod",
+ "two_factor_authentication": "Tvåfaktorautentisering",
+ "reconfigure_ring_integration": "Konfigurera om ringintegration",
+ "sign_in_with_ring_account": "Logga in med Ring-konto",
+ "abort_alternative_integration": "Enheten stöds bättre av en annan integration",
+ "abort_incomplete_config": "Konfigurationen saknar en nödvändig variabel",
+ "manual_description": "URL till en XML-fil för enhetsbeskrivning",
+ "manual_title": "Manuell DLNA DMR-enhetsanslutning",
+ "discovered_dlna_dmr_devices": "Upptäckte DLNA DMR-enheter",
+ "broadcast_address": "Sändningsadress",
+ "broadcast_port": "Port för sändning",
"abort_addon_info_failed": "Det gick inte att hämta information om tillägget {addon} .",
"abort_addon_install_failed": "Det gick inte att installera tillägget {addon} .",
"abort_addon_start_failed": "Det gick inte att starta tillägget {addon} .",
@@ -2356,48 +2529,47 @@
"starting_add_on": "Startar tillägget",
"menu_options_addon": "Använd det officiella tillägget {addon}.",
"menu_options_broker": "Ange anslutningsuppgifterna för MQTT-mäklaren manuellt",
- "bridge_is_already_configured": "Bryggan är redan konfigurerad",
- "no_deconz_bridges_discovered": "Inga deCONZ-bryggor upptäcktes",
- "abort_no_hardware_available": "Ingen radiohårdvara ansluten till deCONZ",
- "abort_updated_instance": "Uppdaterad deCONZ-instans med ny värdadress",
- "error_linking_not_possible": "Det gick inte att länka till gatewayen",
- "error_no_key": "Det gick inte att ta emot en API-nyckel",
- "link_with_deconz": "Länka med deCONZ",
- "select_discovered_deconz_gateway": "Välj upptäckt deCONZ-gateway",
- "pin_code": "PIN-kod",
- "discovered_android_tv": "Upptäckte Android TV",
- "abort_mdns_missing_mac": "MAC-adress saknas i MDNS-egenskaper.",
- "abort_mqtt_missing_api": "API-port saknas i MQTT-egenskaper.",
- "abort_mqtt_missing_ip": "IP-adress saknas i MQTT-egenskaperna.",
- "abort_mqtt_missing_mac": "MAC-adress saknas i MQTT-egenskaperna.",
- "missing_mqtt_payload": "MQTT-nyttolast saknas.",
- "action_received": "Åtgärd mottagen",
- "discovered_esphome_node": "Upptäckt ESPHome-nod",
- "encryption_key": "Krypteringnyckel",
- "no_port_for_endpoint": "Ingen port för slutpunkt",
- "abort_no_services": "Inga tjänster hittades vid endpoint",
- "discovered_wyoming_service": "Upptäckte Wyoming-tjänsten",
- "abort_alternative_integration": "Enheten stöds bättre av en annan integration",
- "abort_incomplete_config": "Konfigurationen saknar en nödvändig variabel",
- "manual_description": "URL till en XML-fil för enhetsbeskrivning",
- "manual_title": "Manuell DLNA DMR-enhetsanslutning",
- "discovered_dlna_dmr_devices": "Upptäckte DLNA DMR-enheter",
+ "api_key": "API-nyckel",
+ "configure_daikin_ac": "Konfigurera Daikin AC",
+ "cannot_connect_details_error_detail": "Det går inte att ansluta. Mer information: {error_detail}",
+ "unknown_details_error_detail": "Okänd. Detaljer: {error_detail}",
+ "uses_an_ssl_certificate": "Använder ett SSL certifikat",
+ "verify_ssl_certificate": "Verifiera SSL-certifikat",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Välj en Bluetooth-adapter som ska konfigureras",
"api_error_occurred": "API-fel uppstod",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Aktivera HTTPS",
- "broadcast_address": "Sändningsadress",
- "broadcast_port": "Port för sändning",
- "mac_address": "MAC-adress",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 stöds inte.",
- "error_custom_port_not_supported": "Enhet av Gen1 stödjer inte anpassad port",
- "two_factor_code": "Tvåfaktorkod",
- "two_factor_authentication": "Tvåfaktorautentisering",
- "reconfigure_ring_integration": "Konfigurera om ringintegration",
- "sign_in_with_ring_account": "Logga in med Ring-konto",
+ "timeout_establishing_connection": "Timeout vid upprättande av anslutning",
+ "link_google_account": "Länka Google-konto",
+ "path_is_not_allowed": "Sökvägen är inte tillåten",
+ "path_is_not_valid": "Sökvägen är inte giltig",
+ "path_to_file": "Sökväg till filen",
+ "pin_code": "PIN-kod",
+ "discovered_android_tv": "Upptäckte Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "Alla entiteter",
"hide_members": "Dölj medlemmar",
"create_group": "Skapa grupp",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignorera icke-numeriska",
"data_round_digits": "Avrunda värdet till antalet decimaler",
"type": "Typ",
@@ -2405,29 +2577,206 @@
"button_group": "Knappgrupp",
"cover_group": "Täckningsgrupp",
"event_group": "Eventgrupp",
- "fan_group": "Fläktgrupp",
- "light_group": "Ljusgrupp",
"lock_group": "Låsgrupp",
"media_player_group": "Grupp av mediaspelare",
"notify_group": "Aviseringsgrupp",
"sensor_group": "Sensorgrupp",
"switch_group": "Brytargrupp",
- "abort_api_error": "Fel vid kommunikation med SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Switchbot-typ som inte stöds.",
- "authentication_failed_error_detail": "Autentisering misslyckades: {error_detail}",
- "error_encryption_key_invalid": "Nyckel-id eller krypteringsnyckel är ogiltig",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "Switchbot-konto (rekommenderas)",
- "enter_encryption_key_manually": "Ange krypteringsnyckeln manuellt",
- "key_id": "Nyckel-ID",
- "password_description": "Lösenord för att skydda säkerhetskopian.",
- "device_address": "Enhetsadress",
- "cannot_connect_details_error_detail": "Det går inte att ansluta. Mer information: {error_detail}",
- "unknown_details_error_detail": "Okänd. Detaljer: {error_detail}",
- "uses_an_ssl_certificate": "Använder ett SSL certifikat",
+ "known_hosts": "Kända värdar",
+ "google_cast_configuration": "Google Cast-konfiguration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "MAC-adress saknas i MDNS-egenskaper.",
+ "abort_mqtt_missing_api": "API-port saknas i MQTT-egenskaper.",
+ "abort_mqtt_missing_ip": "IP-adress saknas i MQTT-egenskaperna.",
+ "abort_mqtt_missing_mac": "MAC-adress saknas i MQTT-egenskaperna.",
+ "missing_mqtt_payload": "MQTT-nyttolast saknas.",
+ "action_received": "Åtgärd mottagen",
+ "discovered_esphome_node": "Upptäckt ESPHome-nod",
+ "bridge_is_already_configured": "Bryggan är redan konfigurerad",
+ "no_deconz_bridges_discovered": "Inga deCONZ-bryggor upptäcktes",
+ "abort_no_hardware_available": "Ingen radiohårdvara ansluten till deCONZ",
+ "abort_updated_instance": "Uppdaterad deCONZ-instans med ny värdadress",
+ "error_linking_not_possible": "Det gick inte att länka till gatewayen",
+ "error_no_key": "Det gick inte att ta emot en API-nyckel",
+ "link_with_deconz": "Länka med deCONZ",
+ "select_discovered_deconz_gateway": "Välj upptäckt deCONZ-gateway",
+ "abort_missing_credentials": "Integrationen kräver autentiseringsuppgifter för programmet.",
+ "no_port_for_endpoint": "Ingen port för slutpunkt",
+ "abort_no_services": "Inga tjänster hittades vid endpoint",
+ "discovered_wyoming_service": "Upptäckte Wyoming-tjänsten",
+ "ipv_is_not_supported": "IPv6 stöds inte.",
+ "error_custom_port_not_supported": "Enhet av Gen1 stödjer inte anpassad port",
+ "arm_away_action": "Larma iväg",
+ "arm_custom_bypass_action": "Larma anpassad förbikoppling",
+ "arm_home_action": "Larma hemma",
+ "arm_night_action": "Larma natt",
+ "arm_vacation_action": "Larma semester",
+ "code_arm_required": "Kod krävs för tillkoppling",
+ "disarm_action": "Avaktivera",
+ "trigger_action": "Utlösande åtgärd",
+ "value_template": "Värdemall",
+ "template_alarm_control_panel": "Mall för larmkontrollpanel",
+ "state_template": "Mall för tillstånd",
+ "template_binary_sensor": "Mall för binär sensor",
+ "actions_on_press": "Åtgärder vid tryckning",
+ "template_button": "Mall för knapp",
+ "template_image": "Mall för bild",
+ "actions_on_set_value": "Åtgärder vid inställt värde",
+ "step_value": "Stegvärde",
+ "template_number": "Nummer på mall",
+ "available_options": "Tillgängliga alternativ",
+ "actions_on_select": "Åtgärder vid val",
+ "template_select": "Mall för väljare",
+ "template_sensor": "Mall för sensor",
+ "actions_on_turn_off": "Åtgärder vid avstängning",
+ "actions_on_turn_on": "Åtgärder vid aktivering",
+ "template_switch": "Mall för brytare",
+ "menu_options_alarm_control_panel": "Mall för en larmkontrollpanel",
+ "template_a_binary_sensor": "Mall för en binär sensor",
+ "template_a_button": "Mall för en knapp",
+ "template_an_image": "Mall för en bild",
+ "template_a_number": "Mall för ett nummer",
+ "template_a_select": "Mall för en väljare",
+ "template_a_sensor": "Mall för en sensor",
+ "template_a_switch": "Mall för en strömbrytare",
+ "template_helper": "Skapa en mall-hjälpare",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "Den här enheten är inte en zha-enhet",
+ "abort_usb_probe_failed": "Det gick inte att undersöka usb-enheten",
+ "invalid_backup_json": "Ogiltig JSON för säkerhetskopiering",
+ "choose_an_automatic_backup": "Välj en automatisk säkerhetskopiering",
+ "restore_automatic_backup": "Återställ automatisk säkerhetskopiering",
+ "choose_formation_strategy_description": "Välj nätverksinställningar för din radio.",
+ "restore_an_automatic_backup": "Återställ en automatisk säkerhetskopia",
+ "create_a_network": "Skapa ett nätverk",
+ "keep_radio_network_settings": "Behåll radionätverksinställningar",
+ "upload_a_manual_backup": "Ladda upp en manuell säkerhetskopia",
+ "network_formation": "Bildande av nätverk",
+ "serial_device_path": "Seriell enhetsväg",
+ "select_a_serial_port": "Välj en seriell port",
+ "radio_type": "Radiotyp",
+ "manual_pick_radio_type_description": "Välj din Zigbee-radiotyp",
+ "port_speed": "Porthastighet",
+ "data_flow_control": "Dataflödeskontroll",
+ "manual_port_config_description": "Ange inställningarna för serieporten",
+ "serial_port_settings": "Inställningar för seriell port",
+ "data_overwrite_coordinator_ieee": "Byt ut radions IEEE-adress permanent",
+ "overwrite_radio_ieee_address": "Skriv över Radio IEEE-adress",
+ "upload_a_file": "Ladda upp en fil",
+ "radio_is_not_recommended": "Radio rekommenderas ej",
+ "invalid_ics_file": "Ogiltig .isc-fil",
+ "calendar_name": "Kalendernamn",
+ "starting_data": "Startdata",
+ "zha_alarm_options_alarm_arm_requires_code": "Kod krävs för tillkopplingsåtgärder",
+ "zha_alarm_options_alarm_master_code": "Huvudkod för larmcentralen/-larmcentralerna.",
+ "alarm_control_panel_options": "Alternativ för larmkontrollpanel",
+ "zha_options_consider_unavailable_battery": "Överväg att batteridrivna enheter inte är tillgängliga efter (sekunder)",
+ "zha_options_consider_unavailable_mains": "Anse att nätdrivna enheter inte är tillgängliga efter (sekunder)",
+ "zha_options_default_light_transition": "Standard ljusövergångstid (sekunder)",
+ "zha_options_group_members_assume_state": "Gruppmedlemmar antar gruppens tillstånd",
+ "zha_options_light_transitioning_flag": "Aktivera förbättrad ljusstyrka vid ljusövergång",
+ "global_options": "Globala alternativ",
+ "force_nightlatch_operation_mode": "Tvinga Nightlatch-driftläge",
+ "retry_count": "Antal omprövningar",
+ "data_process": "Processer att lägga till som sensor(er)",
+ "invalid_url": "Ogiltig URL",
+ "data_browse_unfiltered": "Visa inkompatibla media när du surfar",
+ "event_listener_callback_url": "URL för återuppringning av händelseavlyssnare",
+ "data_listen_port": "Händelseavlyssnarport (slumpmässig om inte inställt)",
+ "poll_for_device_availability": "Fråga efter om en enhet är tillgänglig",
+ "init_title": "Konfiguration av DLNA Digital Media Renderer",
+ "broker_options": "Mäklaralternativ",
+ "enable_birth_message": "Aktivera födelsemeddelande",
+ "birth_message_payload": "Nyttolast för födelsemeddelande",
+ "birth_message_qos": "Födelsemeddelande QoS",
+ "birth_message_retain": "Födelsemeddelande behålls",
+ "birth_message_topic": "Ämne för födelsemeddelande",
+ "enable_discovery": "Aktivera upptäckt",
+ "discovery_prefix": "Prefix för upptäckt",
+ "enable_will_message": "Aktivera testament",
+ "will_message_payload": "Testamentets nyttolast",
+ "will_message_qos": "Testamentets QoS",
+ "will_message_retain": "Testamentets tid för sparande",
+ "will_message_topic": "Testamentets ämne",
+ "data_description_discovery": "Alternativ för att aktivera automatisk upptäckt av MQTT.",
+ "mqtt_options": "MQTT-alternativ",
+ "passive_scanning": "Passiv skanning",
+ "protocol": "Protokoll",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Kod för språk",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "data_app_delete": "Markera för att ta bort denna applikation",
+ "application_icon": "Applikationsikon",
+ "application_id": "Applikations-ID",
+ "application_name": "Applikationens namn",
+ "configure_application_id_app_id": "Konfigurera app-ID {app_id}",
+ "configure_android_apps": "Konfigurera Android-appar",
+ "configure_applications_list": "Konfigurera applikationslista",
"ignore_cec": "Ignorera CEC",
"allowed_uuids": "Tillåtna UUID",
"advanced_google_cast_configuration": "Avancerad Google Cast-konfiguration",
+ "allow_deconz_clip_sensors": "Tillåt deCONZ CLIP-sensorer",
+ "allow_deconz_light_groups": "Tillåt deCONZ ljusgrupper",
+ "data_allow_new_devices": "Tillåt automatiskt tillägg av nya enheter",
+ "deconz_devices_description": "Konfigurera synlighet för deCONZ-enhetstyper",
+ "deconz_options": "deCONZ-inställningar",
+ "select_test_server": "Välj testserver",
+ "data_calendar_access": "Home Assistant-åtkomst till Google Kalender",
+ "bluetooth_scanner_mode": "Skannerläge för Bluetooth",
"device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
"not_supported": "Not Supported",
"localtuya_configuration": "LocalTuya Configuration",
@@ -2444,10 +2793,9 @@
"data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
"data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
"data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
"configure_tuya_device": "Configure Tuya device",
"configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Enhets-ID",
+ "device_id": "Device ID",
"local_key": "Local key",
"protocol_version": "Protocol Version",
"data_entities": "Entities (uncheck an entity to remove it)",
@@ -2516,93 +2864,13 @@
"enable_heuristic_action_optional": "Enable heuristic action (optional)",
"data_dps_default_value": "Default value when un-initialised (optional)",
"minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant-åtkomst till Google Kalender",
- "data_process": "Processer att lägga till som sensor(er)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passiv skanning",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Mäklaralternativ",
- "enable_birth_message": "Aktivera födelsemeddelande",
- "birth_message_payload": "Nyttolast för födelsemeddelande",
- "birth_message_qos": "Födelsemeddelande QoS",
- "birth_message_retain": "Födelsemeddelande behålls",
- "birth_message_topic": "Ämne för födelsemeddelande",
- "enable_discovery": "Aktivera upptäckt",
- "discovery_prefix": "Prefix för upptäckt",
- "enable_will_message": "Aktivera testament",
- "will_message_payload": "Testamentets nyttolast",
- "will_message_qos": "Testamentets QoS",
- "will_message_retain": "Testamentets tid för sparande",
- "will_message_topic": "Testamentets ämne",
- "data_description_discovery": "Alternativ för att aktivera automatisk upptäckt av MQTT.",
- "mqtt_options": "MQTT-alternativ",
"data_allow_nameless_uuids": "För närvarande tillåtna UUID:er. Avmarkera för att ta bort",
"data_new_uuid": "Ange ett nytt tillåtet UUID",
- "allow_deconz_clip_sensors": "Tillåt deCONZ CLIP-sensorer",
- "allow_deconz_light_groups": "Tillåt deCONZ ljusgrupper",
- "data_allow_new_devices": "Tillåt automatiskt tillägg av nya enheter",
- "deconz_devices_description": "Konfigurera synlighet för deCONZ-enhetstyper",
- "deconz_options": "deCONZ-inställningar",
- "data_app_delete": "Markera för att ta bort denna applikation",
- "application_icon": "Applikationsikon",
- "application_id": "Applikations-ID",
- "application_name": "Applikationens namn",
- "configure_application_id_app_id": "Konfigurera app-ID {app_id}",
- "configure_android_apps": "Konfigurera Android-appar",
- "configure_applications_list": "Konfigurera applikationslista",
- "invalid_url": "Ogiltig URL",
- "data_browse_unfiltered": "Visa inkompatibla media när du surfar",
- "event_listener_callback_url": "URL för återuppringning av händelseavlyssnare",
- "data_listen_port": "Händelseavlyssnarport (slumpmässig om inte inställt)",
- "poll_for_device_availability": "Fråga efter om en enhet är tillgänglig",
- "init_title": "Konfiguration av DLNA Digital Media Renderer",
- "protocol": "Protokoll",
- "language_code": "Kod för språk",
- "bluetooth_scanner_mode": "Skannerläge för Bluetooth",
- "force_nightlatch_operation_mode": "Tvinga Nightlatch-driftläge",
- "retry_count": "Antal omprövningar",
- "select_test_server": "Välj testserver",
- "toggle_entity_name": "Växla {entity_name}",
- "turn_off_entity_name": "Stäng av {entity_name}",
- "turn_on_entity_name": "Slå på {entity_name}",
- "entity_name_is_off": "{entity_name} är avstängd",
- "entity_name_is_on": "{entity_name} är på",
- "trigger_type_changed_states": "{entity_name} slogs på eller av",
- "entity_name_turned_off": "{entity_name} stängdes av",
- "entity_name_turned_on": "{entity_name} slogs på",
+ "reconfigure_zha": "Konfigurera om ZHA",
+ "unplug_your_old_radio": "Koppla ur din gamla radio",
+ "intent_migrate_title": "Migrera till ny radio",
+ "re_configure_the_current_radio": "Omkonfigurera nuvarande radio",
+ "migrate_or_re_configure": "Migrera eller omkonfigurera",
"current_entity_name_apparent_power": "Nuvarande {entity_name} skenbar effekt",
"condition_type_is_aqi": "Nuvarande {entity_name} Luftkvalitetsindex",
"current_entity_name_area": "Nuvarande {entity_name} område",
@@ -2697,6 +2965,59 @@
"entity_name_water_changes": "{entity_name} vattenförändringar",
"entity_name_weight_changes": "{entity_name} viktförändringar",
"entity_name_wind_speed_changes": "{entity_name} vindhastighets förändringar",
+ "decrease_entity_name_brightness": "Minska ljusstyrkan för {entity_name}",
+ "increase_entity_name_brightness": "Öka ljusstyrkan för {entity_name}",
+ "flash_entity_name": "Blinka {entity_name}",
+ "toggle_entity_name": "Växla {entity_name}",
+ "turn_off_entity_name": "Stäng av {entity_name}",
+ "turn_on_entity_name": "Slå på {entity_name}",
+ "entity_name_is_off": "{entity_name} är avstängd",
+ "entity_name_is_on": "{entity_name} är på",
+ "flash": "Blinka",
+ "trigger_type_changed_states": "{entity_name} slogs på eller av",
+ "entity_name_turned_off": "{entity_name} stängdes av",
+ "entity_name_turned_on": "{entity_name} slogs på",
+ "set_value_for_entity_name": "Ange värde för {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} uppdateringstillgänglighet ändrad",
+ "entity_name_became_up_to_date": "{entity_name} blev uppdaterad",
+ "trigger_type_update": "{entity_name} har en uppdatering tillgänglig",
+ "first_button": "Första knappen",
+ "second_button": "Andra knappen",
+ "third_button": "Tredje knappen",
+ "fourth_button": "Fjärde knappen",
+ "fifth_button": "Femte knappen",
+ "sixth_button": "Sjätte knappen",
+ "subtype_double_clicked": "\"{subtype}\" dubbelklickades",
+ "subtype_continuously_pressed": "\"{subtype}\" kontinuerligt nedtryckt",
+ "trigger_type_button_long_release": "\"{subtype}\" släpptes efter lång tryckning",
+ "subtype_quadruple_clicked": "\"{subtype}\" klickades fyrfaldigt",
+ "subtype_quintuple_clicked": "\"{subtype}\" klickades femfaldigt",
+ "subtype_pressed": "\"{subtype}\" trycktes in",
+ "subtype_released": "\"{subtype}\" släpptes",
+ "subtype_triple_clicked": "\"{subtype}\" trippelklickades",
+ "entity_name_is_home": "{entity_name} är hemma",
+ "entity_name_is_not_home": "{entity_name} är inte hemma",
+ "entity_name_enters_a_zone": "{entity_name} går in i en zon",
+ "entity_name_leaves_a_zone": "{entity_name} lämnar en zon",
+ "press_entity_name_button": "Tryck på knappen {entity_name}",
+ "entity_name_has_been_pressed": "{entity_name} har tryckts",
+ "let_entity_name_clean": "Låt {entity_name} städa",
+ "action_type_dock": "Låt {entity_name} återgå till dockan",
+ "entity_name_is_cleaning": "{entity_name} städar",
+ "entity_name_is_docked": "{entity_name} är dockad",
+ "entity_name_started_cleaning": "{entity_name} började städa",
+ "entity_name_docked": "{entity_name} dockad",
+ "send_a_notification": "Skicka en avisering",
+ "lock_entity_name": "Lås {entity_name}",
+ "open_entity_name": "Öppna {entity_name}",
+ "unlock_entity_name": "Lås upp {entity_name}",
+ "entity_name_is_locked": "{entity_name} är låst",
+ "entity_name_is_open": "{entity_name} är öppen",
+ "entity_name_is_unlocked": "{entity_name} är olåst",
+ "entity_name_locked": "{entity_name} låst",
+ "entity_name_opened": "{entity_name} öppnades",
+ "entity_name_unlocked": "{entity_name} olåst",
"action_type_set_hvac_mode": "Ändra HVAC-läge på {entity_name}",
"change_preset_on_entity_name": "Ändra förinställning på {entity_name}",
"hvac_mode": "HVAC-läge",
@@ -2704,8 +3025,21 @@
"entity_name_measured_humidity_changed": "{entity_name} uppmätt fuktighet har ändrats",
"entity_name_measured_temperature_changed": "{entity_name} uppmätt temperatur har ändrats",
"entity_name_hvac_mode_changed": "{entity_name} HVAC-läge har ändrats",
- "set_value_for_entity_name": "Ange värde för {entity_name}",
- "value": "Värde",
+ "close_entity_name": "Stäng {entity_name}",
+ "close_entity_name_tilt": "Stäng {entity_name} lutning",
+ "open_entity_name_tilt": "Öppna {entity_name} lutning",
+ "set_entity_name_position": "Sätt {entity_name} position",
+ "set_entity_name_tilt_position": "Sätt {entity_name} lutningsposition",
+ "stop_entity_name": "Stoppa {entity_name}",
+ "entity_name_is_closed": "{entity_name} är stängd",
+ "entity_name_is_closing": "{entity_name} stängs",
+ "entity_name_opening": "{entity_name} öppnas",
+ "current_entity_name_position_is": "Nuvarande position för {entity_name} är",
+ "condition_type_is_tilt_position": "Nuvarande {entity_name} lutningsposition är",
+ "entity_name_closed": "{entity_name} stängd",
+ "entity_name_closing": "{entity_name} stänger",
+ "entity_name_position_changes": "{entity_name} position ändras",
+ "entity_name_tilt_position_changes": "{entity_name} lutningsposition ändras",
"entity_name_battery_is_low": "{entity_name}-batteriet är lågt",
"entity_name_charging": "{entity_name} laddas",
"condition_type_is_co": "{entity_name} upptäcker kolmonoxid",
@@ -2714,7 +3048,6 @@
"entity_name_is_detecting_gas": "{entity_name} detekterar gas",
"entity_name_is_hot": "{entity_name} är varm",
"entity_name_is_detecting_light": "{entity_name} upptäcker ljus",
- "entity_name_is_locked": "{entity_name} är låst",
"entity_name_is_moist": "{entity_name} är fuktig",
"entity_name_is_detecting_motion": "{entity_name} detekterar rörelse",
"entity_name_is_moving": "{entity_name} rör sig",
@@ -2732,11 +3065,9 @@
"entity_name_is_not_cold": "{entity_name} är inte kall",
"entity_name_is_disconnected": "{entity_name} är frånkopplad",
"entity_name_is_not_hot": "{entity_name} är inte varm",
- "entity_name_is_unlocked": "{entity_name} är olåst",
"entity_name_is_dry": "{entity_name} är torr",
"entity_name_is_not_moving": "{entity_name} rör sig inte",
"entity_name_is_not_occupied": "{entity_name} är inte upptagen",
- "entity_name_is_closed": "{entity_name} är stängd",
"entity_name_is_unplugged": "{entity_name} är urkopplad",
"entity_name_is_not_powered": "{entity_name} är inte strömförd",
"entity_name_is_not_present": "{entity_name} finns inte",
@@ -2744,7 +3075,6 @@
"condition_type_is_not_tampered": "{entity_name} upptäcker inte sabotage",
"entity_name_is_safe": "{entity_name} är säker",
"entity_name_is_occupied": "{entity_name} är upptagen",
- "entity_name_is_open": "{entity_name} är öppen",
"entity_name_is_powered": "{entity_name} är påslagen",
"entity_name_is_present": "{entity_name} är närvarande",
"entity_name_is_detecting_problem": "{entity_name} upptäcker problem",
@@ -2753,7 +3083,6 @@
"entity_name_is_detecting_sound": "{entity_name} upptäcker ljud",
"entity_name_is_detecting_tampering": "{entity_name} upptäcker sabotage",
"entity_name_is_unsafe": "{entity_name} är osäker",
- "trigger_type_update": "{entity_name} har en uppdatering tillgänglig",
"entity_name_is_detecting_vibration": "{entity_name} upptäcker vibrationer",
"entity_name_battery_low": "{entity_name} batteri lågt",
"trigger_type_co": "{entity_name} började detektera kolmonoxid",
@@ -2762,7 +3091,6 @@
"entity_name_started_detecting_gas": "{entity_name} började detektera gas",
"entity_name_became_hot": "{entity_name} blev varm",
"entity_name_started_detecting_light": "{entity_name} började upptäcka ljus",
- "entity_name_locked": "{entity_name} låst",
"entity_name_became_moist": "{entity_name} blev fuktig",
"entity_name_started_detecting_motion": "{entity_name} började detektera rörelse",
"entity_name_started_moving": "{entity_name} började röra sig",
@@ -2773,17 +3101,14 @@
"entity_name_stopped_detecting_problem": "{entity_name} slutade upptäcka problem",
"entity_name_stopped_detecting_smoke": "{entity_name} slutade detektera rök",
"entity_name_stopped_detecting_sound": "{entity_name} slutade upptäcka ljud",
- "entity_name_became_up_to_date": "{entity_name} blev uppdaterad",
"entity_name_stopped_detecting_vibration": "{entity_name} slutade upptäcka vibrationer",
"entity_name_battery_normal": "{entity_name} batteri normalt",
"entity_name_became_not_cold": "{entity_name} blev inte kall",
"entity_name_disconnected": "{entity_name} frånkopplad",
"entity_name_became_not_hot": "{entity_name} blev inte varm",
- "entity_name_unlocked": "{entity_name} olåst",
"entity_name_became_dry": "{entity_name} blev torr",
"entity_name_stopped_moving": "{entity_name} slutade röra sig",
"entity_name_became_not_occupied": "{entity_name} blev inte upptagen",
- "entity_name_closed": "{entity_name} stängd",
"entity_name_unplugged": "{entity_name} urkopplad",
"entity_name_not_powered": "{entity_name} inte påslagen",
"entity_name_not_present": "{entity_name} inte närvarande",
@@ -2791,7 +3116,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} slutade upptäcka sabotage",
"entity_name_became_safe": "{entity_name} blev säker",
"entity_name_became_occupied": "{entity_name} blev upptagen",
- "entity_name_opened": "{entity_name} har öppnats",
"entity_name_powered": "{entity_name} påslagen",
"entity_name_present": "{entity_name} närvarande",
"entity_name_started_detecting_problem": "{entity_name} började upptäcka problem",
@@ -2808,35 +3132,6 @@
"entity_name_starts_buffering": "{entity_name} börjar buffra",
"entity_name_becomes_idle": "{entity_name} blir inaktiv",
"entity_name_starts_playing": "{entity_name} börjar spela",
- "entity_name_is_home": "{entity_name} är hemma",
- "entity_name_is_not_home": "{entity_name} är inte hemma",
- "entity_name_enters_a_zone": "{entity_name} går in i en zon",
- "entity_name_leaves_a_zone": "{entity_name} lämnar en zon",
- "decrease_entity_name_brightness": "Minska ljusstyrkan för {entity_name}",
- "increase_entity_name_brightness": "Öka ljusstyrkan för {entity_name}",
- "flash_entity_name": "Blinka {entity_name}",
- "flash": "Blinka",
- "entity_name_update_availability_changed": "{entity_name} uppdateringstillgänglighet ändrad",
- "arm_entity_name_away": "Larma {entity_name} borta",
- "arm_entity_name_home": "Larma {entity_name} hemma",
- "arm_entity_name_night": "Larma {entity_name} natt",
- "arm_entity_name_vacation": "Larma semesterläge {entity_name}",
- "disarm_entity_name": "Avlarma {entity_name}",
- "trigger_entity_name": "Utlösare {entity_name}",
- "entity_name_is_armed_away": "{entity_name} är bortalarmat",
- "entity_name_is_armed_home": "{entity_name} är hemmalarmat",
- "entity_name_is_armed_night": "{entity_name} är nattlarmat",
- "entity_name_is_armed_vacation": "{entity_name} är larmad i semesterläge",
- "entity_name_is_disarmed": "{entity_name} är bortkopplad",
- "entity_name_is_triggered": "{entity_name} har utlösts",
- "entity_name_armed_away": "{entity_name} larmad borta",
- "entity_name_armed_home": "{entity_name} larmad hemma",
- "entity_name_armed_night": "{entity_name} larmad natt",
- "entity_name_armed_vacation": "{entity_name} larmad i semesterläge",
- "entity_name_disarmed": "{entity_name} bortkopplad",
- "entity_name_triggered": "{entity_name} utlöst",
- "press_entity_name_button": "Tryck på knappen {entity_name}",
- "entity_name_has_been_pressed": "{entity_name} har tryckts",
"action_type_select_first": "Ändra {entity_name} till första alternativet",
"action_type_select_last": "Ändra {entity_name} till sista alternativet",
"action_type_select_next": "Ändra {entity_name} till nästa alternativ",
@@ -2846,34 +3141,6 @@
"cycle": "Cykla",
"from": "Från",
"entity_name_option_changed": "Alternativ för {entity_name} har ändrats",
- "close_entity_name": "Stäng {entity_name}",
- "close_entity_name_tilt": "Stäng {entity_name} lutning",
- "open_entity_name": "Öppna {entity_name}",
- "open_entity_name_tilt": "Öppna {entity_name} lutning",
- "set_entity_name_position": "Sätt {entity_name} position",
- "set_entity_name_tilt_position": "Sätt {entity_name} lutningsposition",
- "stop_entity_name": "Stoppa {entity_name}",
- "entity_name_is_closing": "{entity_name} stängs",
- "entity_name_opening": "{entity_name} öppnas",
- "current_entity_name_position_is": "Nuvarande position för {entity_name} är",
- "condition_type_is_tilt_position": "Nuvarande {entity_name} lutningsposition är",
- "entity_name_closing": "{entity_name} stänger",
- "entity_name_position_changes": "{entity_name} position ändras",
- "entity_name_tilt_position_changes": "{entity_name} lutningsposition ändras",
- "first_button": "Första knappen",
- "second_button": "Andra knappen",
- "third_button": "Tredje knappen",
- "fourth_button": "Fjärde knappen",
- "fifth_button": "Femte knappen",
- "sixth_button": "Sjätte knappen",
- "subtype_double_clicked": "{subtype} dubbelklickad",
- "subtype_continuously_pressed": "\"{subtype}\"-knappen kontinuerligt nedtryckt",
- "trigger_type_button_long_release": "\"{subtype}\" släpptes efter lång tryckning",
- "subtype_quadruple_clicked": "\"{subtype}\"-knappen klickades \nfyrfaldigt",
- "subtype_quintuple_clicked": "\"{subtype}\"-knappen klickades \nfemfaldigt",
- "subtype_pressed": "\"{subtype}\"-knappen trycktes in",
- "subtype_released": "\"{subtype}\"-knappen släppt",
- "subtype_triple_clicked": "{subtype} trippelklickad",
"both_buttons": "Båda knapparna",
"bottom_buttons": "Bottenknappar",
"seventh_button": "Sjunde knappen",
@@ -2885,7 +3152,7 @@
"side": "Sida 6",
"top_buttons": "Toppknappar",
"device_awakened": "Enheten väcktes",
- "trigger_type_remote_button_long_release": "\"{subtype}\"-knappen släpptes efter ett långtryck",
+ "trigger_type_remote_button_long_release": "\"{subtype}\" släpptes efter långtryckning",
"button_rotated_subtype": "Knappen roterade \"{subtype}\"",
"button_rotated_fast_subtype": "Knappen roterades snabbt \" {subtype} \"",
"button_rotation_subtype_stopped": "Knapprotationen \"{subtype}\" stoppades",
@@ -2893,19 +3160,12 @@
"trigger_type_remote_double_tap_any_side": "Enheten dubbeltryckt på valfri sida",
"device_in_free_fall": "Enhet i fritt fall",
"device_flipped_degrees": "Enheten vänd 90 grader",
- "device_shaken": "Enhet skakad",
+ "device_shaken": "Enheten skakad",
"trigger_type_remote_moved": "Enheten flyttades med \"{subtype}\" upp",
"trigger_type_remote_moved_any_side": "Enheten flyttades med valfri sida uppåt",
"trigger_type_remote_rotate_from_side": "Enheten roterades från \"sida 6\" till \"{subtype}\"",
"device_turned_clockwise": "Enheten vriden medurs",
"device_turned_counter_clockwise": "Enheten vände moturs",
- "send_a_notification": "Skicka en avisering",
- "let_entity_name_clean": "Låt {entity_name} städa",
- "action_type_dock": "Låt {entity_name} återgå till dockan",
- "entity_name_is_cleaning": "{entity_name} städar",
- "entity_name_is_docked": "{entity_name} är dockad",
- "entity_name_started_cleaning": "{entity_name} började städa",
- "entity_name_docked": "{entity_name} dockad",
"subtype_button_down": "{subtype} knappen nedtryckt",
"subtype_button_up": "{subtype} knappen släppt",
"subtype_double_push": "{subtype} dubbeltryck",
@@ -2916,27 +3176,54 @@
"trigger_type_single_long": "{subtype} enkelklickad och sedan långklickad",
"subtype_single_push": "{subtype} enkeltryck",
"subtype_triple_push": "{subtype} trippeltryck",
- "lock_entity_name": "Lås {entity_name}",
- "unlock_entity_name": "Lås upp {entity_name}",
+ "arm_entity_name_away": "Larma {entity_name} borta",
+ "arm_entity_name_home": "Larma {entity_name} hemma",
+ "arm_entity_name_night": "Larma {entity_name} natt",
+ "arm_entity_name_vacation": "Larma semesterläge {entity_name}",
+ "disarm_entity_name": "Avlarma {entity_name}",
+ "trigger_entity_name": "Utlösare {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} är bortalarmat",
+ "entity_name_is_armed_home": "{entity_name} är hemmalarmat",
+ "entity_name_is_armed_night": "{entity_name} är nattlarmat",
+ "entity_name_is_armed_vacation": "{entity_name} är larmad i semesterläge",
+ "entity_name_is_disarmed": "{entity_name} är bortkopplad",
+ "entity_name_is_triggered": "{entity_name} har utlösts",
+ "entity_name_armed_away": "{entity_name} larmad borta",
+ "entity_name_armed_home": "{entity_name} larmad hemma",
+ "entity_name_armed_night": "{entity_name} larmad natt",
+ "entity_name_armed_vacation": "{entity_name} larmad i semesterläge",
+ "entity_name_disarmed": "{entity_name} bortkopplad",
+ "entity_name_triggered": "{entity_name} utlöst",
+ "action_type_issue_all_led_effect": "Effekt för alla lysdioder",
+ "action_type_issue_individual_led_effect": "Effekt för enskilda lysdioder",
+ "squawk": "Kraxa",
+ "warn": "Varna",
+ "color_hue": "Färgnyans",
+ "duration_in_seconds": "Varaktighet i sekunder",
+ "effect_type": "Effekttyp",
+ "led_number": "LED-antal",
+ "with_face_activated": "med bildsida 6 aktiverat",
+ "with_any_specified_face_s_activated": "Med valfri/specificerad bildsida(or) aktiverat",
+ "device_dropped": "Enheten tappades",
+ "device_flipped_subtype": "Enheten vänd \"{subtype}\"",
+ "device_knocked_subtype": "Enheten knackad \"{subtype}\"",
+ "device_offline": "Enhet offline",
+ "device_rotated_subtype": "Enheten roterade \"{subtype}\"",
+ "device_slid_subtype": "Enheten gled \"{subtype}\"",
+ "device_tilted": "Enheten lutad",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" dubbelklickades (Alternativt läge)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" hölls nedtryckt (Alternativt läge)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" släpptes upp efter en långtryckning (Alternativt läge)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" trycktes fyrfaldigt (Alternativt läge)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" trycktes femfaldigt (Alternativt läge)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" trycktes (Alternativt läge)",
+ "subtype_released_alternate_mode": "\"{subtype}\" släpptes upp (Alternativt läge)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" trippelklickades (Alternativt läge)",
"add_to_queue": "Lägg till i kö",
"play_next": "Spela nästa",
"options_replace": "Tömmer kön och spelar nu",
"repeat_all": "Upprepa alla",
"repeat_one": "Upprepa en",
- "no_code_format": "Inget kodformat",
- "no_unit_of_measurement": "Ingen måttenhet",
- "critical": "Kritiska",
- "debug": "Felsökning",
- "warning": "Varning",
- "create_an_empty_calendar": "Skapa en tom kalender",
- "options_import_ics_file": "Ladda upp en iCalendar-fil (.ics)",
- "passive": "Passiv",
- "arithmetic_mean": "Aritmetiskt medelvärde",
- "median": "Median",
- "product": "Produkt",
- "statistical_range": "Statistiskt intervall",
- "standard_deviation": "Standardavvikelse",
- "fatal": "Dödliga",
"alice_blue": "Aliceblå",
"antique_white": "Antikvit",
"aqua": "Aquablå",
@@ -3055,50 +3342,20 @@
"wheat": "Vete",
"white_smoke": "Vit rök",
"yellow_green": "Gulgrön",
- "sets_the_value": "Anger värdet.",
- "the_target_value": "Målvärdet",
- "command": "Kommando",
- "device_description": "Enhets-ID att skicka kommando till.",
- "delete_command": "Radera kommando",
- "command_type_description": "Den typ av kommando som ska läras in.",
- "command_type": "Typ av kommando",
- "timeout_description": "Timeout för kommandot att läras in.",
- "learn_command": "Lär in kommando",
- "delay_seconds": "Fördröjning sekunder",
- "hold_seconds": "Håll i sekunder",
- "repeats": "Upprepningar",
- "send_command": "Sänd kommando",
- "sends_the_toggle_command": "Skickar kommando för att växla på/av.",
- "turn_off_description": "Stäng av en eller flera lampor",
- "turn_on_description": "Startar en ny städaktivitet.",
- "set_datetime_description": "Ställer in datum och/eller tid.",
- "the_target_date": "Datum att ställa in",
- "datetime_description": "Datum och tid att ställa in",
- "the_target_time": "Tid att ställa in",
- "creates_a_new_backup": "Skapar en ny säkerhetskopia.",
- "apply_description": "Aktiverar en scen med konfiguration.",
- "entities_description": "Lista över entiteter och deras måltillstånd.",
- "entities_state": "Tillstånd för entiteter",
- "transition": "Övergång",
- "apply": "Tillämpa",
- "creates_a_new_scene": "Skapar en ny scen.",
- "scene_id_description": "Den nya scenens entitets-ID.",
- "scene_entity_id": "Entitets-ID för scen",
- "snapshot_entities": "Entiteter för ögonblicksbild",
- "delete_description": "Raderar en dynamiskt skapad scen.",
- "activates_a_scene": "Aktivera en scen",
- "closes_a_valve": "Stänger en ventil.",
- "opens_a_valve": "Öppnar en ventil.",
- "set_valve_position_description": "Flyttar en ventil till en specifik position.",
- "target_position": "Position att flytta skyddet till",
- "set_position": "Ställ in position",
- "stops_the_valve_movement": "Stoppar ventilens rörelse.",
- "toggles_a_valve_open_closed": "Öppnar/stänger en ventil.",
- "dashboard_path": "Sökväg till instrumentpanel",
- "view_path": "Visa sökväg",
- "show_dashboard_view": "Visa instrumentpanelens vy",
- "finish_description": "Avslutar en pågående timer tidigare än planerat.",
- "duration_description": "Anpassad varaktighet för att starta om timern med.",
+ "critical": "Kritiska",
+ "debug": "Felsökning",
+ "warning": "Varning",
+ "passive": "Passiv",
+ "no_code_format": "Inget kodformat",
+ "no_unit_of_measurement": "Ingen måttenhet",
+ "fatal": "Dödliga",
+ "arithmetic_mean": "Aritmetiskt medelvärde",
+ "median": "Median",
+ "product": "Produkt",
+ "statistical_range": "Statistiskt intervall",
+ "standard_deviation": "Standardavvikelse",
+ "create_an_empty_calendar": "Skapa en tom kalender",
+ "options_import_ics_file": "Ladda upp en iCalendar-fil (.ics)",
"sets_a_random_effect": "Ställer in en slumpmässig effekt.",
"sequence_description": "Lista över HSV-sekvenser (Max 16).",
"backgrounds": "Bakgrunder",
@@ -3115,108 +3372,22 @@
"saturation_range": "Mättnadsområde",
"segments_description": "Lista över segment (0 för alla).",
"segments": "Segment",
+ "transition": "Övergångstid",
"range_of_transition": "Område för övergång.",
"transition_range": "Övergångsområde",
"random_effect": "Slumpmässig effekt",
"sets_a_sequence_effect": "Ställer in en sekvens-effekt.",
"repetitions_for_continuous": "Upprepningar (0 för kontinuerlig).",
+ "repeats": "Upprepningar",
"sequence": "Sekvens",
- "speed_of_spread": "Spridningshastighet.",
- "spread": "Spridning",
- "sequence_effect": "Sekvenseffekt",
- "check_configuration": "Kontrollera konfigurationen",
- "reload_all": "Ladda om alla",
- "reload_config_entry_description": "Laddar om den angivna konfigurationsposten.",
- "config_entry_id": "Konfigurera post-ID",
- "reload_config_entry": "Ladda om konfigurationspost",
- "reload_core_config_description": "Laddar om kärnkonfigurationen från YAML-konfigurationen.",
- "reload_core_configuration": "Ladda om kärnkonfigurationen",
- "reload_custom_jinja_templates": "Ladda om anpassade Jinja2-mallar",
- "restarts_home_assistant": "Startar om Home Assistant.",
- "safe_mode_description": "Inaktiverar anpassade integrationer och anpassade kort.",
- "save_persistent_states": "Spara beständiga tillstånd",
- "set_location_description": "Uppdaterar Home Assistant-platsen.",
- "elevation_description": "Höjd över havet för din plats.",
- "latitude_of_your_location": "Latitud för din position.",
- "longitude_of_your_location": "Longitud för din position.",
- "set_location": "Ange plats",
- "stops_home_assistant": "Stoppar Home Assistant.",
- "generic_toggle": "Generell växel",
- "generic_turn_off": "Generell avstängning",
- "generic_turn_on": "Generell start",
- "entity_id_description": "Entitet att referera till i loggboksposten.",
- "entities_to_update": "Entiteter som ska uppdateras",
- "update_entity": "Uppdatera entitet",
- "turns_auxiliary_heater_on_off": "Slår på/av tillsatsvärmaren.",
- "aux_heat_description": "Nytt värde för tillsatsvärmare.",
- "auxiliary_heating": "Extra uppvärmning",
- "turn_on_off_auxiliary_heater": "Slå på/stänga av tillsatsvärmaren",
- "sets_fan_operation_mode": "Ställer in fläktens driftläge.",
- "fan_operation_mode": "Fläktens driftläge.",
- "set_fan_mode": "Ställ in fläktläge",
- "sets_target_humidity": "Ställer in önskad luftfuktighet.",
- "set_target_humidity": "Ställ in önskad luftfuktighet",
- "sets_hvac_operation_mode": "Ställer in HVAC-driftläge.",
- "hvac_operation_mode": "Driftläge för HVAC.",
- "set_hvac_mode": "Ställ in HVAC-läge",
- "sets_preset_mode": "Ställer in förinställt läge.",
- "set_preset_mode": "Ställ in förinställt läge",
- "set_swing_horizontal_mode_description": "Ställer in driftläge för horisontell svängning.",
- "horizontal_swing_operation_mode": "Driftläge för horisontell svängning.",
- "set_horizontal_swing_mode": "Ställ in horisontellt svepläge",
- "sets_swing_operation_mode": "Ställer in svängningsläge.",
- "swing_operation_mode": "Svängningsläge.",
- "set_swing_mode": "Ställ in svängläge",
- "sets_the_temperature_setpoint": "Ställer måltemperatur",
- "the_max_temperature_setpoint": "Börvärde för maxtemperatur.",
- "the_min_temperature_setpoint": "Börvärdet för min-temperaturen.",
- "the_temperature_setpoint": "Börvärdet för temperaturen.",
- "set_target_temperature": "Ställ måltemperatur",
- "turns_climate_device_off": "Stänger av klimatenheten.",
- "turns_climate_device_on": "Slår på klimatenheten.",
- "decrement_description": "Minskar det aktuella värdet med 1 steg.",
- "increment_description": "Ökar det aktuella värdet med 1 steg.",
- "reset_description": "Återställer en räknare till dess ursprungliga värde.",
- "set_value_description": "Ställer in värdet på ett tal.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Värde för konfigurationsparametern.",
- "clear_playlist_description": "Tar bort alla objekt från spellistan.",
- "clear_playlist": "Töm spellistan",
- "selects_the_next_track": "Väljer nästa spår.",
- "pauses": "Pausar.",
- "starts_playing": "Börjar spela.",
- "toggles_play_pause": "Växlar mellan uppspelning/paus.",
- "selects_the_previous_track": "Väljer föregående spår.",
- "seek": "Sök",
- "stops_playing": "Slutar spela.",
- "starts_playing_specified_media": "Startar uppspelning av angivet media.",
- "announce": "Meddela",
- "enqueue": "Köa",
- "repeat_mode_to_set": "Upprepningsläge att ställa in.",
- "select_sound_mode_description": "Väljer ett ljudläge.",
- "select_sound_mode": "Välj ljudläge",
- "select_source": "Välj källa",
- "shuffle_description": "Anger om blandningsläget är aktiverat eller inte.",
- "toggle_description": "Slår på/stänger av dammsugaren.",
- "turns_down_the_volume": "Sänker volymen.",
- "volume_mute_description": "Slår på eller stänger av ljudet för mediaspelaren.",
- "is_volume_muted_description": "Anger om ljudet är påslaget eller avstängt.",
- "mute_unmute_volume": "Ljud av/på",
- "sets_the_volume_level": "Ställer in volymnivån.",
- "level": "Nivå",
- "set_volume": "Ställ in volym",
- "turns_up_the_volume": "Höjer volymen.",
- "battery_description": "Enhetens batterinivå.",
- "gps_coordinates": "GPS-koordinater",
- "gps_accuracy_description": "GPS-koordinaternas noggrannhet.",
- "hostname_of_the_device": "Värdnamn för enheten.",
- "hostname": "Värdnamn",
- "mac_description": "Enhetens MAC-adress.",
- "see": "Se",
+ "speed_of_spread": "Spridningshastighet.",
+ "spread": "Spridning",
+ "sequence_effect": "Sekvenseffekt",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Slår på/av sirenen.",
+ "turns_the_siren_off": "Stänger av sirenen.",
+ "turns_the_siren_on": "Slår på sirenen.",
"brightness_value": "Värde för ljusstyrka",
"a_human_readable_color_name": "Ett färgnamn som kan läsas av människor.",
"color_name": "Färgnamn",
@@ -3229,24 +3400,69 @@
"rgbww_color": "RGBWW-färg",
"white_description": "Ställ in ljuset på vitt läge.",
"xy_color": "XY-färg",
+ "turn_off_description": "Skickar kommando för att stänga av.",
"brightness_step_description": "Ändra ljusstyrkan med ett tal",
"brightness_step_value": "Stegvärde för ljusstyrka",
"brightness_step_pct_description": "Ändra ljusstyrkan med en procentsats.",
"brightness_step": "Steg för ljusstyrka",
- "add_event_description": "Lägger till en ny kalenderhändelse.",
- "calendar_id_description": "ID för den kalender du vill ha.",
- "calendar_id": "Kalender-ID",
- "description_description": "Beskrivning av händelsen. Valfritt.",
- "summary_description": "Fungerar som titel för händelsen.",
- "location_description": "Plats för evenemanget.",
- "create_event": "Skapa händelse",
- "apply_filter": "Tillämpa filter",
- "days_to_keep": "Dagar att behålla",
- "repack": "Packa om",
- "domains_to_remove": "Domäner att ta bort",
- "entity_globs_to_remove": "Entity-globs att ta bort",
- "entities_to_remove": "Entiteter som ska tas bort",
- "purge_entities": "Rensa entiteter",
+ "toggles_the_helper_on_off": "Växlar hjälparen på/av.",
+ "turns_off_the_helper": "Stänger av hjälparen.",
+ "turns_on_the_helper": "Slår på hjälparen.",
+ "pauses_the_mowing_task": "Pausar gräsklippningen",
+ "starts_the_mowing_task": "Startar gräsklippningen",
+ "creates_a_new_backup": "Skapar en ny säkerhetskopia.",
+ "sets_the_value": "Ställer in värdet",
+ "enter_your_text": "Skriv in din text.",
+ "set_value": "Ange värde",
+ "clear_lock_user_code_description": "Raderar en användarkod från ett lås.",
+ "code_slot_description": "Kodplats för att ställa in koden för.",
+ "code_slot": "Kodplats",
+ "clear_lock_user": "Ta bort låsanvändare",
+ "disable_lock_user_code_description": "Inaktiverar en användarkod på ett lås.",
+ "code_slot_to_disable": "Kodplats att inaktivera.",
+ "disable_lock_user": "Inaktivera låsanvändare",
+ "enable_lock_user_code_description": "Aktiverar en användarkod på ett lås.",
+ "code_slot_to_enable": "Kodplats att aktivera.",
+ "enable_lock_user": "Aktivera låsanvändare",
+ "args_description": "Argument som ska skickas med kommandot.",
+ "args": "Argument",
+ "cluster_id_description": "ZCL-kluster att hämta attribut för.",
+ "cluster_id": "Kluster-ID",
+ "type_of_the_cluster": "Typ av kluster.",
+ "cluster_type": "Kluster-typ",
+ "command_description": "Kommando(n) att skicka till Google Assistant.",
+ "command": "Kommando",
+ "command_type_description": "Den typ av kommando som ska läras in.",
+ "command_type": "Typ av kommando",
+ "endpoint_id_description": "Endpoint-ID för klustret.",
+ "endpoint_id": "Endpoint-ID",
+ "ieee_description": "IEEE-adress för enheten.",
+ "ieee": "IEEE",
+ "manufacturer": "Tillverkare",
+ "params_description": "Parametrar som ska skickas med kommandot.",
+ "params": "Parametrar",
+ "issue_zigbee_cluster_command": "Utfärda kommando för zigbee-kluster",
+ "group_description": "Hexadecimal adress för gruppen.",
+ "issue_zigbee_group_command": "Utfärda kommando för zigbee-grupp",
+ "permit_description": "Tillåter noder att ansluta sig till Zigbee-nätverket.",
+ "time_to_permit_joins": "Tid att tillåta anslutningar.",
+ "qr_code": "QR-kod",
+ "source_ieee": "Källa IEEE",
+ "permit": "Tillåt",
+ "reconfigure_device": "Konfigurera om enheten",
+ "remove_description": "Tar bort en nod från Zigbee-nätverket.",
+ "set_lock_user_code_description": "Ställer in en användarkod på ett lås.",
+ "code_to_set": "Kod att ställa in.",
+ "set_lock_user_code": "Ange användarkod för lås",
+ "attribute_description": "ID för attributet som ska ställas in.",
+ "value_description": "Det målvärde som ska ställas in.",
+ "set_zigbee_cluster_attribute": "Ställ in attribut för zigbee-kluster",
+ "level": "Nivå",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Varningsanordning squawk",
+ "duty_cycle": "Arbetscykel",
+ "intensity": "Intensitet",
+ "warning_device_starts_alert": "Varningsenheten starta larm",
"dump_log_objects": "Dumpa loggobjekt",
"log_current_tasks_description": "Loggar alla aktuella asynkrona uppgifter.",
"log_current_asyncio_tasks": "Logga aktuella asynkrona uppgifter",
@@ -3272,27 +3488,299 @@
"stop_logging_object_sources": "Sluta logga objektkällor",
"stop_log_objects_description": "Slutar logga tillväxt av objekt i minnet.",
"stop_logging_objects": "Sluta logga objekt",
+ "set_default_level_description": "Ställer in standardloggnivån för integrationer.",
+ "level_description": "Ställer in standardloggnivån för alla integrationer.",
+ "set_default_level": "Ställ in standardnivå",
+ "set_level": "Ställ in nivå",
+ "stops_a_running_script": "Stoppar ett skript som körs.",
+ "clear_skipped_update": "Ta bort ignorerad uppdatering",
+ "install_update": "Installera uppdatering",
+ "skip_description": "Markerar den aktuella tillgängliga uppdateringen som överhoppad.",
+ "skip_update": "Hoppa över uppdatering",
+ "decrease_speed_description": "Minskar fläktens hastighet.",
+ "decrease_speed": "Minska hastigheten",
+ "increase_speed_description": "Ökar fläktens hastighet.",
+ "increase_speed": "Öka hastigheten",
+ "oscillate_description": "Styr fläktens svängning.",
+ "turns_oscillation_on_off": "Slå på eller stäng av svängning.",
+ "set_direction_description": "Ställer in fläktens rotationsriktning.",
+ "direction_description": "Riktning för rotation.",
+ "set_direction": "Ange riktning",
+ "set_percentage_description": "Ställer in fläkthastigheten.",
+ "speed_of_the_fan": "Fläktens hastighet.",
+ "percentage": "Procent",
+ "set_speed": "Ställ in hastighet",
+ "sets_preset_fan_mode": "Ställer in förinställt fläktläge.",
+ "preset_fan_mode": "Förinställt fläktläge.",
+ "set_preset_mode": "Ställ in förinställt läge",
+ "toggles_a_fan_on_off": "Slår på/av fläkten.",
+ "turns_fan_off": "Stäng av fläkten.",
+ "turns_fan_on": "Slår på fläkten.",
+ "set_datetime_description": "Ställer in datum och/eller tid.",
+ "the_target_date": "Datum att ställa in",
+ "datetime_description": "Datum och tid att ställa in",
+ "the_target_time": "Tid att ställa in",
+ "log_description": "Skapar en anpassad post i loggboken.",
+ "entity_id_description": "Mediaspelare som meddelandet ska spelas upp på.",
+ "message_description": "Meddelandets text.",
+ "log": "Logg",
+ "request_sync_description": "Skickar ett request_sync-kommando till Google.",
+ "agent_user_id": "Användar-ID för agent",
+ "request_sync": "Begär synkronisering",
+ "apply_description": "Aktiverar en scen med konfiguration.",
+ "entities_description": "Lista över entiteter och deras måltillstånd.",
+ "entities_state": "Tillstånd för entiteter",
+ "apply": "Tillämpa",
+ "creates_a_new_scene": "Skapar en ny scen.",
+ "entity_states": "Tillstånd för entitet",
+ "scene_id_description": "Den nya scenens entitets-ID.",
+ "scene_entity_id": "Entitets-ID för scen",
+ "entities_snapshot": "Ögonblicksbild av entiteter",
+ "delete_description": "Raderar en dynamiskt skapad scen.",
+ "activates_a_scene": "Aktivera en scen",
"reload_themes_description": "Laddar om teman från YAML-konfigurationen.",
"reload_themes": "Ladda om teman",
"name_of_a_theme": "Namn på ett tema.",
"set_the_default_theme": "Ange standardtema",
+ "decrement_description": "Minskar det aktuella värdet med 1 steg.",
+ "increment_description": "Ökar det aktuella värdet med 1 steg.",
+ "reset_description": "Återställer en räknare till dess ursprungliga värde.",
+ "set_value_description": "Ställer in värdet på ett tal.",
+ "check_configuration": "Kontrollera konfigurationen",
+ "reload_all": "Ladda om alla",
+ "reload_config_entry_description": "Laddar om den angivna konfigurationsposten.",
+ "config_entry_id": "Konfigurera post-ID",
+ "reload_config_entry": "Ladda om konfigurationspost",
+ "reload_core_config_description": "Laddar om kärnkonfigurationen från YAML-konfigurationen.",
+ "reload_core_configuration": "Ladda om kärnkonfigurationen",
+ "reload_custom_jinja_templates": "Ladda om anpassade Jinja2-mallar",
+ "restarts_home_assistant": "Startar om Home Assistant.",
+ "safe_mode_description": "Inaktiverar anpassade integrationer och anpassade kort.",
+ "save_persistent_states": "Spara beständiga tillstånd",
+ "set_location_description": "Uppdaterar Home Assistant-platsen.",
+ "elevation_description": "Höjd över havet för din plats.",
+ "latitude_of_your_location": "Latitud för din position.",
+ "longitude_of_your_location": "Longitud för din position.",
+ "set_location": "Ange plats",
+ "stops_home_assistant": "Stoppar Home Assistant.",
+ "generic_toggle": "Generell växel",
+ "generic_turn_off": "Generell avstängning",
+ "generic_turn_on": "Generell start",
+ "entities_to_update": "Entiteter som ska uppdateras",
+ "update_entity": "Uppdatera entitet",
+ "notify_description": "Skickar ett meddelande till valda mål.",
+ "data": "Data",
+ "title_of_the_notification": "Rubrik för din avisering.",
+ "send_a_persistent_notification": "Skicka en beständig avisering",
+ "sends_a_notification_message": "Skickar ett aviseringsmeddelande.",
+ "your_notification_message": "Ditt aviseringsmeddelande.",
+ "title_description": "(Valfri) rubrik på avisering.",
+ "send_a_notification_message": "Skicka ett aviseringsmeddelande",
+ "send_magic_packet": "Skicka magiskt paket",
+ "topic_to_listen_to": "Ämne att lyssna på.",
+ "topic": "Ämne",
+ "export": "Exportera",
+ "publish_description": "Publicerar ett meddelande till ett MQTT-ämne.",
+ "evaluate_payload": "Utvärdera payload",
+ "the_payload_to_publish": "Nyttolasten att publicera.",
+ "payload": "Nyttolast",
+ "payload_template": "Mall för nyttolast",
+ "qos": "QoS",
+ "retain": "Behåll",
+ "topic_to_publish_to": "Ämne att publicera till.",
+ "publish": "Publicera",
+ "load_url_description": "Laddar en URL på Fully Kiosk Browser.",
+ "url_to_load": "URL att ladda.",
+ "load_url": "Ladda URL",
+ "configuration_parameter_to_set": "Konfigurationsparameter att ställa in.",
+ "key": "Nyckel",
+ "set_configuration": "Ange konfiguration",
+ "application_description": "Paketnamn för det program som ska startas.",
+ "application": "Applikation",
+ "start_application": "Starta applikation",
+ "battery_description": "Enhetens batterinivå.",
+ "gps_coordinates": "GPS-koordinater",
+ "gps_accuracy_description": "GPS-koordinaternas noggrannhet.",
+ "hostname_of_the_device": "Värdnamn för enheten.",
+ "hostname": "Värdnamn",
+ "mac_description": "Enhetens MAC-adress.",
+ "see": "Se",
+ "device_description": "Enhets-ID att skicka kommando till.",
+ "delete_command": "Radera kommando",
+ "timeout_description": "Timeout för kommandot att läras in.",
+ "learn_command": "Lär in kommando",
+ "delay_seconds": "Fördröjning sekunder",
+ "hold_seconds": "Håll i sekunder",
+ "send_command": "Sänd kommando",
+ "sends_the_toggle_command": "Skickar kommando för att växla på/av.",
+ "turn_on_description": "Startar en ny städaktivitet.",
+ "get_weather_forecast": "Få väderprognos.",
+ "type_description": "Typ av prognos: dagligen, varje timme eller två gånger dagligen.",
+ "forecast_type": "Typ av prognos",
+ "get_forecast": "Få prognos",
+ "get_weather_forecasts": "Hämta väderprognoser.",
+ "get_forecasts": "Hämta väderprognoser",
+ "press_the_button_entity": "Tryck på knappen entitet.",
+ "enable_remote_access": "Aktivera fjärråtkomst",
+ "disable_remote_access": "Inaktivera fjärråtkomst",
+ "create_description": "Visar en avisering på **Aviserings**-panelen.",
+ "notification_id": "Aviserings-ID",
+ "dismiss_description": "Tar bort en avisering från **Aviserings**-panelen.",
+ "notification_id_description": "ID för avisering som ska tas bort.",
+ "dismiss_all_description": "Tar bort alla aviseringar från **Aviserings**panelen.",
+ "locate_description": "Hittar dammsugar-roboten",
+ "pauses_the_cleaning_task": "Pausar pågående uppgift",
+ "send_command_description": "Sänder ett kommando till dammsugarroboten",
+ "set_fan_speed": "Sätt fläkthastighet",
+ "start_description": "Startar eller fortsätter en städaktivitet.",
+ "start_pause_description": "Startar, pausar eller fortsätter en städaktivitet.",
+ "stop_description": "Avslutar pågående städaktivitet.",
+ "toggle_description": "Slår på/av en mediaspelare.",
+ "play_chime_description": "Spela en ringsignal på en Reolink Chime.",
+ "target_chime": "Målenhet",
+ "ringtone_to_play": "Ringsignal att spela.",
+ "ringtone": "Ringsignal",
+ "play_chime": "Spela klockljud",
+ "ptz_move_description": "Vrider kameran med en specificerad hastighet.",
+ "ptz_move_speed": "PTZ rörelsehastighet.",
+ "ptz_move": "PTZ rörelse",
+ "disables_the_motion_detection": "Inaktiverar rörelsedetektering.",
+ "disable_motion_detection": "Inaktivera rörelsedetektering",
+ "enables_the_motion_detection": "Aktiverar rörelsedetektering.",
+ "enable_motion_detection": "Aktivera rörelsedetektering",
+ "format_description": "Strömformat som stöds av mediaspelaren.",
+ "format": "Format",
+ "media_player_description": "Mediaspelare att strömma till.",
+ "play_stream": "Spela ström",
+ "filename_description": "Fullständig sökväg till filnamnet. Måste vara mp4.",
+ "filename": "Filnamn",
+ "lookback": "Återblick",
+ "snapshot_description": "Tar en avbild från en kamera.",
+ "full_path_to_filename": "Fullständig sökväg till filnamnet.",
+ "take_snapshot": "Tar en avbild",
+ "turns_off_the_camera": "Stänger av kameran.",
+ "turns_on_the_camera": "Slår på kameran.",
+ "reload_resources_description": "Laddar om instrumentpanelens resurser från YAML-konfigurationen.",
"clear_tts_cache": "Rensa TTS-cache",
"cache": "Cache",
"language_description": "Språk för text. Standardvärdet är serverns språk.",
"options_description": "En ordlista som innehåller integrationsspecifika alternativ.",
"say_a_tts_message": "Säg ett TTS-meddelande",
- "media_player_entity_id_description": "Mediaspelare som meddelandet ska spelas upp på.",
"media_player_entity": "Mediaspelarentitet",
"speak": "Tala",
- "reload_resources_description": "Laddar om instrumentpanelens resurser från YAML-konfigurationen.",
- "toggles_the_siren_on_off": "Slår på/av sirenen.",
- "turns_the_siren_off": "Stänger av sirenen.",
- "turns_the_siren_on": "Slår på sirenen.",
- "toggles_the_helper_on_off": "Växlar hjälparen på/av.",
- "turns_off_the_helper": "Stänger av hjälparen.",
- "turns_on_the_helper": "Slår på hjälparen.",
- "pauses_the_mowing_task": "Pausar gräsklippningen",
- "starts_the_mowing_task": "Startar gräsklippningen",
+ "send_text_command": "Skicka textkommando",
+ "the_target_value": "Målvärdet",
+ "removes_a_group": "Tar bort en grupp.",
+ "object_id": "Objekt-ID",
+ "creates_updates_a_group": "Skapar/uppdaterar en grupp.",
+ "add_entities": "Lägga till entiteter",
+ "icon_description": "Namn på ikonen för gruppen.",
+ "name_of_the_group": "Namn på gruppen.",
+ "remove_entities": "Ta bort entiteter",
+ "locks_a_lock": "Låser ett lås.",
+ "code_description": "Kod för att aktivera larmet.",
+ "opens_a_lock": "Öppnar ett lås.",
+ "unlocks_a_lock": "Låser upp ett lås.",
+ "announce_description": "Låt satelliten tillkännage ett meddelande.",
+ "media_id": "Media-ID",
+ "the_message_to_announce": "Meddelandet som ska tillkännages.",
+ "announce": "Meddela",
+ "reloads_the_automation_configuration": "Laddar om automationskonfigurationen.",
+ "trigger_description": "Utlöser åtgärder för en automatisering.",
+ "skip_conditions": "Hoppa över villkor",
+ "trigger": "Extern utlösare",
+ "disables_an_automation": "Inaktiverar en automatisering.",
+ "stops_currently_running_actions": "Stoppar pågående åtgärder.",
+ "stop_actions": "Stoppa åtgärder",
+ "enables_an_automation": "Aktiverar en automatisering.",
+ "deletes_all_log_entries": "Raderar alla loggposter.",
+ "write_log_entry": "Skriv loggpost.",
+ "log_level": "Loggnivå.",
+ "message_to_log": "Meddelande att logga.",
+ "write": "Skriv",
+ "dashboard_path": "Sökväg till instrumentpanel",
+ "view_path": "Visa sökväg",
+ "show_dashboard_view": "Visa instrumentpanelens vy",
+ "process_description": "Startar en konversation från en transkriberad text.",
+ "agent": "Agent",
+ "conversation_id": "Konversations-ID",
+ "transcribed_text_input": "Transkriberad textinmatning.",
+ "process": "Bearbeta",
+ "reloads_the_intent_configuration": "Laddar om avsiktskonfigurationen.",
+ "conversation_agent_to_reload": "Konversationsagent att ladda om.",
+ "closes_a_cover": "Stänger ett skydd.",
+ "close_cover_tilt_description": "Lutar ett skydd mot stängt läge",
+ "close_tilt": "Stängd lutning",
+ "opens_a_cover": "Öppnar ett skydd.",
+ "tilts_a_cover_open": "Lutar ett skydd mot öppet läge",
+ "open_tilt": "Öppen lutning",
+ "set_cover_position_description": "Flyttar ett skydd till en specifik position.",
+ "target_position": "Målposition.",
+ "set_position": "Sätt position",
+ "target_tilt_positition": "Position att luta skyddet till",
+ "set_tilt_position": "Ställ in lutningsposition",
+ "stops_the_cover_movement": "Stoppar skyddets rörelse.",
+ "stop_cover_tilt_description": "Stoppar rörelsen av ett skydds lutning.",
+ "stop_tilt": "Stoppa lutning",
+ "toggles_a_cover_open_closed": "Växlar ett skydd öppet/stängt.",
+ "toggle_cover_tilt_description": "Växlar en lutning av skyddet öppet/stängt.",
+ "toggle_tilt": "Växla lutning",
+ "turns_auxiliary_heater_on_off": "Slår på/av tillsatsvärmaren.",
+ "aux_heat_description": "Nytt värde för tillsatsvärmare.",
+ "auxiliary_heating": "Extra uppvärmning",
+ "turn_on_off_auxiliary_heater": "Slå på/stänga av tillsatsvärmaren",
+ "sets_fan_operation_mode": "Ställer in fläktens driftläge.",
+ "fan_operation_mode": "Fläktens driftläge.",
+ "set_fan_mode": "Ställ in fläktläge",
+ "sets_target_humidity": "Ställer in önskad luftfuktighet.",
+ "set_target_humidity": "Ställ in önskad luftfuktighet",
+ "sets_hvac_operation_mode": "Ställer in HVAC-driftläge.",
+ "hvac_operation_mode": "Driftläge för HVAC.",
+ "set_hvac_mode": "Ställ in HVAC-läge",
+ "sets_preset_mode": "Ställer in förinställt läge.",
+ "set_swing_horizontal_mode_description": "Ställer in driftläge för horisontell svängning.",
+ "horizontal_swing_operation_mode": "Driftläge för horisontell svängning.",
+ "set_horizontal_swing_mode": "Ställ in horisontellt svepläge",
+ "sets_swing_operation_mode": "Ställer in svängningsläge.",
+ "swing_operation_mode": "Svängningsläge.",
+ "set_swing_mode": "Ställ in svängläge",
+ "sets_the_temperature_setpoint": "Ställer måltemperatur",
+ "the_max_temperature_setpoint": "Börvärde för maxtemperatur.",
+ "the_min_temperature_setpoint": "Börvärdet för min-temperaturen.",
+ "the_temperature_setpoint": "Börvärdet för temperaturen.",
+ "set_target_temperature": "Ställ måltemperatur",
+ "turns_climate_device_off": "Stänger av klimatenheten.",
+ "turns_climate_device_on": "Slår på klimatenheten.",
+ "apply_filter": "Tillämpa filter",
+ "days_to_keep": "Dagar att behålla",
+ "repack": "Packa om",
+ "domains_to_remove": "Domäner att ta bort",
+ "entity_globs_to_remove": "Entity-globs att ta bort",
+ "entities_to_remove": "Entiteter som ska tas bort",
+ "purge_entities": "Rensa entiteter",
+ "clear_playlist_description": "Tar bort alla objekt från spellistan.",
+ "clear_playlist": "Töm spellistan",
+ "selects_the_next_track": "Väljer nästa spår.",
+ "pauses": "Pausar.",
+ "starts_playing": "Börjar spela.",
+ "toggles_play_pause": "Växlar mellan uppspelning/paus.",
+ "selects_the_previous_track": "Väljer föregående spår.",
+ "seek": "Sök",
+ "stops_playing": "Slutar spela.",
+ "starts_playing_specified_media": "Startar uppspelning av angivet media.",
+ "enqueue": "Köa",
+ "repeat_mode_to_set": "Upprepningsläge att ställa in.",
+ "select_sound_mode_description": "Väljer ett ljudläge.",
+ "select_sound_mode": "Välj ljudläge",
+ "select_source": "Välj källa",
+ "shuffle_description": "Anger om blandningsläget är aktiverat eller inte.",
+ "turns_down_the_volume": "Sänker volymen.",
+ "volume_mute_description": "Slår på eller stänger av ljudet för mediaspelaren.",
+ "is_volume_muted_description": "Anger om ljudet är påslaget eller avstängt.",
+ "mute_unmute_volume": "Ljud av/på",
+ "sets_the_volume_level": "Ställer in volymnivån.",
+ "set_volume": "Ställ in volym",
+ "turns_up_the_volume": "Höjer volymen.",
"restarts_an_add_on": "Startar om ett tillägg.",
"the_add_on_to_restart": "Tillägget som ska startas om.",
"restart_add_on": "Starta om tillägget.",
@@ -3330,39 +3818,6 @@
"restore_partial_description": "Återställer från delvis säkerhetskopia.",
"restores_home_assistant": "Återställer Home Assistant.",
"restore_from_partial_backup": "Återställa från delvis säkerhetskopia.",
- "decrease_speed_description": "Minskar fläktens hastighet.",
- "decrease_speed": "Minska hastigheten",
- "increase_speed_description": "Ökar fläktens hastighet.",
- "increase_speed": "Öka hastigheten",
- "oscillate_description": "Styr fläktens svängning.",
- "turns_oscillation_on_off": "Slå på eller stäng av svängning.",
- "set_direction_description": "Ställer in fläktens rotationsriktning.",
- "direction_description": "Riktning för rotation.",
- "set_direction": "Ange riktning",
- "set_percentage_description": "Ställer in fläkthastigheten.",
- "speed_of_the_fan": "Fläktens hastighet.",
- "percentage": "Procent",
- "set_speed": "Ställ in hastighet",
- "sets_preset_fan_mode": "Ställer in förinställt fläktläge.",
- "preset_fan_mode": "Förinställt fläktläge.",
- "toggles_a_fan_on_off": "Slår på/av fläkten.",
- "turns_fan_off": "Stäng av fläkten.",
- "turns_fan_on": "Slår på fläkten.",
- "get_weather_forecast": "Få väderprognos.",
- "type_description": "Typ av prognos: dagligen, varje timme eller två gånger dagligen.",
- "forecast_type": "Typ av prognos",
- "get_forecast": "Få prognos",
- "get_weather_forecasts": "Hämta väderprognoser.",
- "get_forecasts": "Hämta väderprognoser",
- "clear_skipped_update": "Ta bort ignorerad uppdatering",
- "install_update": "Installera uppdatering",
- "skip_description": "Markerar den aktuella tillgängliga uppdateringen som överhoppad.",
- "skip_update": "Hoppa över uppdatering",
- "code_description": "Kod som används för att låsa upp.",
- "arm_with_custom_bypass": "Larmat med anpassad förbikoppling",
- "alarm_arm_vacation_description": "Ställer in larmet på: _larmat semesterläge_.",
- "disarms_the_alarm": "Avaktiverar larmet.",
- "trigger_the_alarm_manually": "Trigga larmet manuellt.",
"selects_the_first_option": "Väljer det första alternativet.",
"first": "Första",
"selects_the_last_option": "Väljer det sista alternativet.",
@@ -3370,76 +3825,16 @@
"selects_an_option": "Väljer ett alternativ.",
"option_to_be_selected": "Alternativ som ska väljas.",
"selects_the_previous_option": "Väljer föregående alternativ.",
- "disables_the_motion_detection": "Inaktiverar rörelsedetektering.",
- "disable_motion_detection": "Inaktivera rörelsedetektering",
- "enables_the_motion_detection": "Aktiverar rörelsedetektering.",
- "enable_motion_detection": "Aktivera rörelsedetektering",
- "format_description": "Strömformat som stöds av mediaspelaren.",
- "format": "Format",
- "media_player_description": "Mediaspelare att strömma till.",
- "play_stream": "Spela ström",
- "filename_description": "Fullständig sökväg till filnamnet. Måste vara mp4.",
- "filename": "Filnamn",
- "lookback": "Återblick",
- "snapshot_description": "Tar en avbild från en kamera.",
- "full_path_to_filename": "Fullständig sökväg till filnamnet.",
- "take_snapshot": "Tar en avbild",
- "turns_off_the_camera": "Stänger av kameran.",
- "turns_on_the_camera": "Slår på kameran.",
- "press_the_button_entity": "Tryck på knappen entitet.",
+ "create_event_description": "Lägg till en ny kalenderhändelse.",
+ "location_description": "Plats för evenemanget. Valfritt.",
"start_date_description": "Det datum då heldagsevenemanget ska börja.",
+ "create_event": "Skapa händelse",
"get_events": "Hämta händelser",
- "sets_the_options": "Ställer in alternativen.",
- "list_of_options": "Lista över alternativ.",
- "set_options": "Ställ in alternativ",
- "closes_a_cover": "Stänger ett skydd.",
- "close_cover_tilt_description": "Lutar ett skydd mot stängt läge",
- "close_tilt": "Stängd lutning",
- "opens_a_cover": "Öppnar ett skydd.",
- "tilts_a_cover_open": "Lutar ett skydd mot öppet läge",
- "open_tilt": "Öppen lutning",
- "set_cover_position_description": "Flyttar ett skydd till en specifik position.",
- "target_tilt_positition": "Position att luta skyddet till",
- "set_tilt_position": "Ställ in lutningsposition",
- "stops_the_cover_movement": "Stoppar skyddets rörelse.",
- "stop_cover_tilt_description": "Stoppar rörelsen av ett skydds lutning.",
- "stop_tilt": "Stoppa lutning",
- "toggles_a_cover_open_closed": "Växlar ett skydd öppet/stängt.",
- "toggle_cover_tilt_description": "Växlar en lutning av skyddet öppet/stängt.",
- "toggle_tilt": "Växla lutning",
- "request_sync_description": "Skickar ett request_sync-kommando till Google.",
- "agent_user_id": "Användar-ID för agent",
- "request_sync": "Begär synkronisering",
- "log_description": "Skapar en anpassad post i loggboken.",
- "message_description": "Meddelandets text.",
- "log": "Logg",
- "enter_your_text": "Skriv in din text.",
- "set_value": "Ange värde",
- "topic_to_listen_to": "Ämne att lyssna på.",
- "topic": "Ämne",
- "export": "Exportera",
- "publish_description": "Publicerar ett meddelande till ett MQTT-ämne.",
- "evaluate_payload": "Utvärdera payload",
- "the_payload_to_publish": "Nyttolasten att publicera.",
- "payload": "Nyttolast",
- "payload_template": "Mall för nyttolast",
- "qos": "QoS",
- "retain": "Behåll",
- "topic_to_publish_to": "Ämne att publicera till.",
- "publish": "Publicera",
- "reloads_the_automation_configuration": "Laddar om automationskonfigurationen.",
- "trigger_description": "Utlöser åtgärder för en automatisering.",
- "skip_conditions": "Hoppa över villkor",
- "disables_an_automation": "Inaktiverar en automatisering.",
- "stops_currently_running_actions": "Stoppar pågående åtgärder.",
- "stop_actions": "Stoppa åtgärder",
- "enables_an_automation": "Aktiverar en automatisering.",
- "enable_remote_access": "Aktivera fjärråtkomst",
- "disable_remote_access": "Inaktivera fjärråtkomst",
- "set_default_level_description": "Ställer in standardloggnivån för integrationer.",
- "level_description": "Ställer in standardloggnivån för alla integrationer.",
- "set_default_level": "Ställ in standardnivå",
- "set_level": "Ställ in nivå",
+ "closes_a_valve": "Stänger en ventil.",
+ "opens_a_valve": "Öppnar en ventil.",
+ "set_valve_position_description": "Flyttar en ventil till en specifik position.",
+ "stops_the_valve_movement": "Stoppar ventilens rörelse.",
+ "toggles_a_valve_open_closed": "Öppnar/stänger en ventil.",
"bridge_identifier": "Identifiering av brygga",
"configuration_payload": "Nyttolast för konfiguration",
"entity_description": "Representerar en specifik enhetsändpunkt i deCONZ.",
@@ -3448,82 +3843,32 @@
"device_refresh_description": "Uppdaterar tillgängliga enheter från deCONZ.",
"device_refresh": "Uppdatering av enhet",
"remove_orphaned_entries": "Ta bort övergivna enheter",
- "locate_description": "Hittar dammsugar-roboten",
- "pauses_the_cleaning_task": "Pausar pågående uppgift",
- "send_command_description": "Sänder ett kommando till dammsugarroboten",
- "command_description": "Kommando(n) att skicka till Google Assistant.",
- "parameters": "Parametrar",
- "set_fan_speed": "Sätt fläkthastighet",
- "start_description": "Startar eller fortsätter en städaktivitet.",
- "start_pause_description": "Startar, pausar eller fortsätter en städaktivitet.",
- "stop_description": "Avslutar pågående städaktivitet.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Växlar en strömbrytare på/av.",
- "turns_a_switch_off": "Stänger av en strömbrytare.",
- "turns_a_switch_on": "Slår på en strömbrytare.",
+ "add_event_description": "Lägger till en ny kalenderhändelse.",
+ "calendar_id_description": "ID för den kalender du vill ha.",
+ "calendar_id": "Kalender-ID",
+ "description_description": "Beskrivning av händelsen. Valfritt.",
+ "summary_description": "Fungerar som titel för händelsen.",
"extract_media_url_description": "Extrahera medie-URL från en tjänst.",
"format_query": "Formatfråga",
"url_description": "URL där mediet kan hittas.",
"media_url": "Media URL",
"get_media_url": "Hämta Media URL",
"play_media_description": "Laddar ner fil från angiven URL.",
- "notify_description": "Skickar ett meddelande till valda mål.",
- "data": "Data",
- "title_of_the_notification": "Rubrik för din avisering.",
- "send_a_persistent_notification": "Skicka en beständig avisering",
- "sends_a_notification_message": "Skickar ett aviseringsmeddelande.",
- "your_notification_message": "Ditt aviseringsmeddelande.",
- "title_description": "(Valfri) rubrik på avisering.",
- "send_a_notification_message": "Skicka ett aviseringsmeddelande",
- "process_description": "Startar en konversation från en transkriberad text.",
- "agent": "Agent",
- "conversation_id": "Konversations-ID",
- "transcribed_text_input": "Transkriberad textinmatning.",
- "process": "Bearbeta",
- "reloads_the_intent_configuration": "Laddar om avsiktskonfigurationen.",
- "conversation_agent_to_reload": "Konversationsagent att ladda om.",
- "play_chime_description": "Spela en ringsignal på en Reolink Chime.",
- "target_chime": "Målenhet",
- "ringtone_to_play": "Ringsignal att spela.",
- "ringtone": "Ringsignal",
- "play_chime": "Spela klockljud",
- "ptz_move_description": "Vrider kameran med en specificerad hastighet.",
- "ptz_move_speed": "PTZ rörelsehastighet.",
- "ptz_move": "PTZ rörelse",
- "send_magic_packet": "Skicka magiskt paket",
- "send_text_command": "Skicka textkommando",
- "announce_description": "Låt satelliten tillkännage ett meddelande.",
- "media_id": "Media-ID",
- "the_message_to_announce": "Meddelandet som ska tillkännages.",
- "deletes_all_log_entries": "Raderar alla loggposter.",
- "write_log_entry": "Skriv loggpost.",
- "log_level": "Loggnivå.",
- "message_to_log": "Meddelande att logga.",
- "write": "Skriv",
- "locks_a_lock": "Låser ett lås.",
- "opens_a_lock": "Öppnar ett lås.",
- "unlocks_a_lock": "Låser upp ett lås.",
- "removes_a_group": "Tar bort en grupp.",
- "object_id": "Objekt-ID",
- "creates_updates_a_group": "Skapar/uppdaterar en grupp.",
- "add_entities": "Lägga till entiteter",
- "icon_description": "Namn på ikonen för gruppen.",
- "name_of_the_group": "Namn på gruppen.",
- "remove_entities": "Ta bort entiteter",
- "stops_a_running_script": "Stoppar ett skript som körs.",
- "create_description": "Visar en avisering på **Aviserings**-panelen.",
- "notification_id": "Aviserings-ID",
- "dismiss_description": "Tar bort en avisering från **Aviserings**-panelen.",
- "notification_id_description": "ID för avisering som ska tas bort.",
- "dismiss_all_description": "Tar bort alla aviseringar från **Aviserings**panelen.",
- "load_url_description": "Laddar en URL på Fully Kiosk Browser.",
- "url_to_load": "URL att ladda.",
- "load_url": "Ladda URL",
- "configuration_parameter_to_set": "Konfigurationsparameter att ställa in.",
- "key": "Nyckel",
- "set_configuration": "Ange konfiguration",
- "application_description": "Paketnamn för det program som ska startas.",
- "application": "Applikation",
- "start_application": "Starta applikation"
+ "sets_the_options": "Ställer in alternativen.",
+ "list_of_options": "Lista över alternativ.",
+ "set_options": "Ställ in alternativ",
+ "arm_with_custom_bypass": "Larmat med anpassad förbikoppling",
+ "alarm_arm_vacation_description": "Ställer in larmet på: _larmat semesterläge_.",
+ "disarms_the_alarm": "Avaktiverar larmet.",
+ "trigger_the_alarm_manually": "Trigga larmet manuellt.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Avslutar en pågående timer tidigare än planerat.",
+ "duration_description": "Anpassad varaktighet för att starta om timern med.",
+ "toggles_a_switch_on_off": "Växlar en strömbrytare på/av.",
+ "turns_a_switch_off": "Stänger av en strömbrytare.",
+ "turns_a_switch_on": "Slår på en strömbrytare."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/ta/ta.json b/packages/core/src/hooks/useLocale/locales/ta/ta.json
index d40dd01a..e84e24ac 100644
--- a/packages/core/src/hooks/useLocale/locales/ta/ta.json
+++ b/packages/core/src/hooks/useLocale/locales/ta/ta.json
@@ -738,7 +738,7 @@
"can_not_skip_version": "Can not skip version",
"update_instructions": "Update instructions",
"current_activity": "Current activity",
- "status": "Status",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Vacuum cleaner commands:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -856,7 +856,7 @@
"restart_home_assistant": "Restart Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Quick reload",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Reloading configuration",
"failed_to_reload_configuration": "Failed to reload configuration",
"restart_description": "Interrupts all running automations and scripts.",
@@ -884,8 +884,8 @@
"password": "Password",
"regex_pattern": "Regex pattern",
"used_for_client_side_validation": "Used for client-side validation",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Input field",
"slider": "Slider",
"step_size": "Step size",
@@ -1473,141 +1473,120 @@
"now": "Now",
"compare_data": "Compare data",
"reload_ui": "Reload UI",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
+ "scene": "Scene",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climate",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climate",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1636,6 +1615,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1661,31 +1641,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Next dawn",
- "next_dusk": "Next dusk",
- "next_midnight": "Next midnight",
- "next_noon": "Next noon",
- "next_rising": "Next rising",
- "next_setting": "Next setting",
- "solar_azimuth": "Solar azimuth",
- "solar_elevation": "Solar elevation",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1707,34 +1672,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Plugged in",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1808,6 +1815,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1858,7 +1866,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1875,6 +1882,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Next dawn",
+ "next_dusk": "Next dusk",
+ "next_midnight": "Next midnight",
+ "next_noon": "Next noon",
+ "next_rising": "Next rising",
+ "next_setting": "Next setting",
+ "solar_azimuth": "Solar azimuth",
+ "solar_elevation": "Solar elevation",
+ "solar_rising": "Solar rising",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1894,73 +1944,251 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Plugged in",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Paused",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -1993,84 +2221,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Current humidity",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Current action",
- "cooling": "Cooling",
- "defrosting": "Defrosting",
- "drying": "Drying",
- "heating": "Heating",
- "preheating": "Preheating",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Both",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Not charging",
- "disconnected": "Disconnected",
- "connected": "Connected",
- "hot": "Hot",
- "no_light": "No light",
- "light_detected": "Light detected",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "Not moving",
- "unplugged": "Unplugged",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Above horizon",
- "below_horizon": "Below horizon",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2086,13 +2242,36 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "available_tones": "Available tones",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Clear, night",
"cloudy": "Cloudy",
"exceptional": "Exceptional",
@@ -2115,26 +2294,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "disarming": "Disarming",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2143,65 +2305,112 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locked": "Locked",
+ "locking": "Locking",
+ "unlocked": "Unlocked",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Current humidity",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Current action",
+ "cooling": "Cooling",
+ "defrosting": "Defrosting",
+ "drying": "Drying",
+ "heating": "Heating",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Both",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Not charging",
+ "disconnected": "Disconnected",
+ "connected": "Connected",
+ "hot": "Hot",
+ "no_light": "No light",
+ "light_detected": "Light detected",
+ "not_moving": "Not moving",
+ "unplugged": "Unplugged",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Above horizon",
+ "below_horizon": "Below horizon",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Disarming",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2212,27 +2421,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2240,68 +2451,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2328,48 +2498,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Bridge is already configured",
- "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Couldn't get an API key",
- "link_with_deconz": "Link with deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2377,128 +2546,161 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "Bridge is already configured",
+ "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Couldn't get an API key",
+ "link_with_deconz": "Link with deCONZ",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Enable birth message",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Enable will message",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
"samsungtv_smart_options": "SamsungTV Smart options",
"data_use_st_status_info": "Use SmartThings TV Status information",
"data_use_st_channel_info": "Use SmartThings TV Channels information",
@@ -2526,28 +2728,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Enable birth message",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Enable will message",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2555,26 +2735,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2669,6 +2934,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
+ "increase_entity_name_brightness": "Increase {entity_name} brightness",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "First button",
+ "second_button": "Second button",
+ "third_button": "Third button",
+ "fourth_button": "Fourth button",
+ "fifth_button": "Fifth button",
+ "sixth_button": "Sixth button",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} is home",
+ "entity_name_is_not_home": "{entity_name} is not home",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} is cleaning",
+ "entity_name_is_docked": "{entity_name} is docked",
+ "entity_name_started_cleaning": "{entity_name} started cleaning",
+ "entity_name_docked": "{entity_name} docked",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} is locked",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is unlocked",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opened",
+ "entity_name_unlocked": "{entity_name} unlocked",
"action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
"change_preset_on_entity_name": "Change preset on {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2676,8 +2994,22 @@
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Close {entity_name} tilt",
+ "open_entity_name_tilt": "Open {entity_name} tilt",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Set {entity_name} tilt position",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} is closed",
+ "entity_name_is_closing": "{entity_name} is closing",
+ "entity_name_is_opening": "{entity_name} is opening",
+ "current_entity_name_position_is": "Current {entity_name} position is",
+ "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
+ "entity_name_closed": "{entity_name} closed",
+ "entity_name_closing": "{entity_name} closing",
+ "entity_name_opening": "{entity_name} opening",
+ "entity_name_position_changes": "{entity_name} position changes",
+ "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
"entity_name_battery_is_low": "{entity_name} battery is low",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2686,7 +3018,6 @@
"entity_name_is_detecting_gas": "{entity_name} is detecting gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} is detecting light",
- "entity_name_is_locked": "{entity_name} is locked",
"entity_name_is_moist": "{entity_name} is moist",
"entity_name_is_detecting_motion": "{entity_name} is detecting motion",
"entity_name_is_moving": "{entity_name} is moving",
@@ -2704,11 +3035,9 @@
"entity_name_is_not_cold": "{entity_name} is not cold",
"entity_name_is_disconnected": "{entity_name} is disconnected",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} is unlocked",
"entity_name_is_dry": "{entity_name} is dry",
"entity_name_is_not_moving": "{entity_name} is not moving",
"entity_name_is_not_occupied": "{entity_name} is not occupied",
- "entity_name_is_closed": "{entity_name} is closed",
"entity_name_is_unplugged": "{entity_name} is unplugged",
"entity_name_is_not_powered": "{entity_name} is not powered",
"entity_name_is_not_present": "{entity_name} is not present",
@@ -2716,7 +3045,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} is occupied",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is plugged in",
"entity_name_is_powered": "{entity_name} is powered",
"entity_name_is_present": "{entity_name} is present",
@@ -2736,7 +3064,6 @@
"entity_name_started_detecting_gas": "{entity_name} started detecting gas",
"entity_name_became_hot": "{entity_name} became hot",
"entity_name_started_detecting_light": "{entity_name} started detecting light",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} started detecting motion",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2747,18 +3074,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} became not hot",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} closed",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
@@ -2766,7 +3090,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} plugged in",
"entity_name_powered": "{entity_name} powered",
"entity_name_present": "{entity_name} present",
@@ -2774,46 +3097,16 @@
"entity_name_started_running": "{entity_name} started running",
"entity_name_started_detecting_smoke": "{entity_name} started detecting smoke",
"entity_name_started_detecting_sound": "{entity_name} started detecting sound",
- "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
- "entity_name_became_unsafe": "{entity_name} became unsafe",
- "trigger_type_update": "{entity_name} got an update available",
- "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
- "entity_name_is_buffering": "{entity_name} is buffering",
- "entity_name_is_idle": "{entity_name} is idle",
- "entity_name_is_paused": "{entity_name} is paused",
- "entity_name_is_playing": "{entity_name} is playing",
- "entity_name_starts_buffering": "{entity_name} starts buffering",
- "entity_name_becomes_idle": "{entity_name} becomes idle",
- "entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} is home",
- "entity_name_is_not_home": "{entity_name} is not home",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
- "increase_entity_name_brightness": "Increase {entity_name} brightness",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Disarm {entity_name}",
- "trigger_entity_name": "Trigger {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} is disarmed",
- "entity_name_is_triggered": "{entity_name} is triggered",
- "entity_name_armed_away": "{entity_name} armed away",
- "entity_name_armed_home": "{entity_name} armed home",
- "entity_name_armed_night": "{entity_name} armed night",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} disarmed",
- "entity_name_triggered": "{entity_name} triggered",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
+ "entity_name_became_unsafe": "{entity_name} became unsafe",
+ "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
+ "entity_name_is_buffering": "{entity_name} is buffering",
+ "entity_name_is_idle": "{entity_name} is idle",
+ "entity_name_is_paused": "{entity_name} is paused",
+ "entity_name_is_playing": "{entity_name} is playing",
+ "entity_name_starts_buffering": "{entity_name} starts buffering",
+ "entity_name_becomes_idle": "{entity_name} becomes idle",
+ "entity_name_starts_playing": "{entity_name} starts playing",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2823,35 +3116,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Close {entity_name} tilt",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Open {entity_name} tilt",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Set {entity_name} tilt position",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} is closing",
- "entity_name_is_opening": "{entity_name} is opening",
- "current_entity_name_position_is": "Current {entity_name} position is",
- "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
- "entity_name_closing": "{entity_name} closing",
- "entity_name_opening": "{entity_name} opening",
- "entity_name_position_changes": "{entity_name} position changes",
- "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Both buttons",
"bottom_buttons": "Bottom buttons",
"seventh_button": "Seventh button",
@@ -2876,13 +3140,6 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} is cleaning",
- "entity_name_is_docked": "{entity_name} is docked",
- "entity_name_started_cleaning": "{entity_name} started cleaning",
- "entity_name_docked": "{entity_name} docked",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2893,29 +3150,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Disarm {entity_name}",
+ "trigger_entity_name": "Trigger {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} is disarmed",
+ "entity_name_is_triggered": "{entity_name} is triggered",
+ "entity_name_armed_away": "{entity_name} armed away",
+ "entity_name_armed_home": "{entity_name} armed home",
+ "entity_name_armed_night": "{entity_name} armed night",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} disarmed",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "Device dropped",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Device tilted",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3046,52 +3328,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3108,6 +3360,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3118,102 +3371,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3226,25 +3388,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3270,27 +3477,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3329,40 +3817,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3370,77 +3824,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3449,83 +3842,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/te/te.json b/packages/core/src/hooks/useLocale/locales/te/te.json
index c269a0ae..6ee2e34c 100644
--- a/packages/core/src/hooks/useLocale/locales/te/te.json
+++ b/packages/core/src/hooks/useLocale/locales/te/te.json
@@ -739,7 +739,7 @@
"can_not_skip_version": "Can not skip version",
"update_instructions": "Update instructions",
"current_activity": "Current activity",
- "status": "Status",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Vacuum cleaner commands:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -857,7 +857,7 @@
"restart_home_assistant": "Restart Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Quick reload",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Reloading configuration",
"failed_to_reload_configuration": "Failed to reload configuration",
"restart_description": "Interrupts all running automations and scripts.",
@@ -885,8 +885,8 @@
"password": "Password",
"regex_pattern": "Regex pattern",
"used_for_client_side_validation": "Used for client-side validation",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Input field",
"slider": "Slider",
"step_size": "Step size",
@@ -1474,141 +1474,120 @@
"now": "Now",
"compare_data": "Compare data",
"reload_ui": "Reload UI",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
+ "scene": "Scene",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climate",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climate",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1637,6 +1616,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1662,31 +1642,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Next dawn",
- "next_dusk": "Next dusk",
- "next_midnight": "Next midnight",
- "next_noon": "Next noon",
- "next_rising": "Next rising",
- "next_setting": "Next setting",
- "solar_azimuth": "Solar azimuth",
- "solar_elevation": "Solar elevation",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1708,34 +1673,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Plugged in",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1809,6 +1816,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1859,7 +1867,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1876,6 +1883,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Next dawn",
+ "next_dusk": "Next dusk",
+ "next_midnight": "Next midnight",
+ "next_noon": "Next noon",
+ "next_rising": "Next rising",
+ "next_setting": "Next setting",
+ "solar_azimuth": "Solar azimuth",
+ "solar_elevation": "Solar elevation",
+ "solar_rising": "Solar rising",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1895,73 +1945,251 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Plugged in",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Paused",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -1994,84 +2222,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Current humidity",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Current action",
- "cooling": "Cooling",
- "defrosting": "Defrosting",
- "drying": "Drying",
- "heating": "Heating",
- "preheating": "Preheating",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Both",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Not charging",
- "disconnected": "Disconnected",
- "connected": "Connected",
- "hot": "Hot",
- "no_light": "No light",
- "light_detected": "Light detected",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "Not moving",
- "unplugged": "Unplugged",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Above horizon",
- "below_horizon": "Below horizon",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2087,13 +2243,36 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "available_tones": "Available tones",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Clear, night",
"cloudy": "Cloudy",
"exceptional": "Exceptional",
@@ -2116,26 +2295,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "disarming": "Disarming",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2144,65 +2306,112 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locked": "Locked",
+ "locking": "Locking",
+ "unlocked": "Unlocked",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Current humidity",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Current action",
+ "cooling": "Cooling",
+ "defrosting": "Defrosting",
+ "drying": "Drying",
+ "heating": "Heating",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Both",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Not charging",
+ "disconnected": "Disconnected",
+ "connected": "Connected",
+ "hot": "Hot",
+ "no_light": "No light",
+ "light_detected": "Light detected",
+ "not_moving": "Not moving",
+ "unplugged": "Unplugged",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Above horizon",
+ "below_horizon": "Below horizon",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Disarming",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2213,27 +2422,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2241,68 +2452,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2329,48 +2499,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Bridge is already configured",
- "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Couldn't get an API key",
- "link_with_deconz": "Link with deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2378,128 +2547,161 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "Bridge is already configured",
+ "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Couldn't get an API key",
+ "link_with_deconz": "Link with deCONZ",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Enable birth message",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Enable will message",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
"samsungtv_smart_options": "SamsungTV Smart options",
"data_use_st_status_info": "Use SmartThings TV Status information",
"data_use_st_channel_info": "Use SmartThings TV Channels information",
@@ -2527,28 +2729,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Enable birth message",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Enable will message",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2556,26 +2736,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2670,6 +2935,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
+ "increase_entity_name_brightness": "Increase {entity_name} brightness",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "First button",
+ "second_button": "Second button",
+ "third_button": "Third button",
+ "fourth_button": "Fourth button",
+ "fifth_button": "Fifth button",
+ "sixth_button": "Sixth button",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} is home",
+ "entity_name_is_not_home": "{entity_name} is not home",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} is cleaning",
+ "entity_name_is_docked": "{entity_name} is docked",
+ "entity_name_started_cleaning": "{entity_name} started cleaning",
+ "entity_name_docked": "{entity_name} docked",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} is locked",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is unlocked",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opened",
+ "entity_name_unlocked": "{entity_name} unlocked",
"action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
"change_preset_on_entity_name": "Change preset on {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2677,8 +2995,22 @@
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Close {entity_name} tilt",
+ "open_entity_name_tilt": "Open {entity_name} tilt",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Set {entity_name} tilt position",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} is closed",
+ "entity_name_is_closing": "{entity_name} is closing",
+ "entity_name_is_opening": "{entity_name} is opening",
+ "current_entity_name_position_is": "Current {entity_name} position is",
+ "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
+ "entity_name_closed": "{entity_name} closed",
+ "entity_name_closing": "{entity_name} closing",
+ "entity_name_opening": "{entity_name} opening",
+ "entity_name_position_changes": "{entity_name} position changes",
+ "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
"entity_name_battery_is_low": "{entity_name} battery is low",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2687,7 +3019,6 @@
"entity_name_is_detecting_gas": "{entity_name} is detecting gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} is detecting light",
- "entity_name_is_locked": "{entity_name} is locked",
"entity_name_is_moist": "{entity_name} is moist",
"entity_name_is_detecting_motion": "{entity_name} is detecting motion",
"entity_name_is_moving": "{entity_name} is moving",
@@ -2705,11 +3036,9 @@
"entity_name_is_not_cold": "{entity_name} is not cold",
"entity_name_is_disconnected": "{entity_name} is disconnected",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} is unlocked",
"entity_name_is_dry": "{entity_name} is dry",
"entity_name_is_not_moving": "{entity_name} is not moving",
"entity_name_is_not_occupied": "{entity_name} is not occupied",
- "entity_name_is_closed": "{entity_name} is closed",
"entity_name_is_unplugged": "{entity_name} is unplugged",
"entity_name_is_not_powered": "{entity_name} is not powered",
"entity_name_is_not_present": "{entity_name} is not present",
@@ -2717,7 +3046,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} is occupied",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is plugged in",
"entity_name_is_powered": "{entity_name} is powered",
"entity_name_is_present": "{entity_name} is present",
@@ -2737,7 +3065,6 @@
"entity_name_started_detecting_gas": "{entity_name} started detecting gas",
"entity_name_became_hot": "{entity_name} became hot",
"entity_name_started_detecting_light": "{entity_name} started detecting light",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} started detecting motion",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2748,18 +3075,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} became not hot",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} closed",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
@@ -2767,7 +3091,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} plugged in",
"entity_name_powered": "{entity_name} powered",
"entity_name_present": "{entity_name} present",
@@ -2775,46 +3098,16 @@
"entity_name_started_running": "{entity_name} started running",
"entity_name_started_detecting_smoke": "{entity_name} started detecting smoke",
"entity_name_started_detecting_sound": "{entity_name} started detecting sound",
- "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
- "entity_name_became_unsafe": "{entity_name} became unsafe",
- "trigger_type_update": "{entity_name} got an update available",
- "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
- "entity_name_is_buffering": "{entity_name} is buffering",
- "entity_name_is_idle": "{entity_name} is idle",
- "entity_name_is_paused": "{entity_name} is paused",
- "entity_name_is_playing": "{entity_name} is playing",
- "entity_name_starts_buffering": "{entity_name} starts buffering",
- "entity_name_becomes_idle": "{entity_name} becomes idle",
- "entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} is home",
- "entity_name_is_not_home": "{entity_name} is not home",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
- "increase_entity_name_brightness": "Increase {entity_name} brightness",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Disarm {entity_name}",
- "trigger_entity_name": "Trigger {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} is disarmed",
- "entity_name_is_triggered": "{entity_name} is triggered",
- "entity_name_armed_away": "{entity_name} armed away",
- "entity_name_armed_home": "{entity_name} armed home",
- "entity_name_armed_night": "{entity_name} armed night",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} disarmed",
- "entity_name_triggered": "{entity_name} triggered",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
+ "entity_name_became_unsafe": "{entity_name} became unsafe",
+ "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
+ "entity_name_is_buffering": "{entity_name} is buffering",
+ "entity_name_is_idle": "{entity_name} is idle",
+ "entity_name_is_paused": "{entity_name} is paused",
+ "entity_name_is_playing": "{entity_name} is playing",
+ "entity_name_starts_buffering": "{entity_name} starts buffering",
+ "entity_name_becomes_idle": "{entity_name} becomes idle",
+ "entity_name_starts_playing": "{entity_name} starts playing",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2824,35 +3117,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Close {entity_name} tilt",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Open {entity_name} tilt",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Set {entity_name} tilt position",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} is closing",
- "entity_name_is_opening": "{entity_name} is opening",
- "current_entity_name_position_is": "Current {entity_name} position is",
- "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
- "entity_name_closing": "{entity_name} closing",
- "entity_name_opening": "{entity_name} opening",
- "entity_name_position_changes": "{entity_name} position changes",
- "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Both buttons",
"bottom_buttons": "Bottom buttons",
"seventh_button": "Seventh button",
@@ -2877,13 +3141,6 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} is cleaning",
- "entity_name_is_docked": "{entity_name} is docked",
- "entity_name_started_cleaning": "{entity_name} started cleaning",
- "entity_name_docked": "{entity_name} docked",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2894,29 +3151,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Disarm {entity_name}",
+ "trigger_entity_name": "Trigger {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} is disarmed",
+ "entity_name_is_triggered": "{entity_name} is triggered",
+ "entity_name_armed_away": "{entity_name} armed away",
+ "entity_name_armed_home": "{entity_name} armed home",
+ "entity_name_armed_night": "{entity_name} armed night",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} disarmed",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "Device dropped",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Device tilted",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3047,52 +3329,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3109,6 +3361,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3119,102 +3372,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3227,25 +3389,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3271,27 +3478,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3330,40 +3818,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3371,77 +3825,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3450,83 +3843,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/th/th.json b/packages/core/src/hooks/useLocale/locales/th/th.json
index 30591de9..de1f7d3e 100644
--- a/packages/core/src/hooks/useLocale/locales/th/th.json
+++ b/packages/core/src/hooks/useLocale/locales/th/th.json
@@ -740,7 +740,7 @@
"can_not_skip_version": "Can not skip version",
"update_instructions": "Update instructions",
"current_activity": "Current activity",
- "status": "Status",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Vacuum cleaner commands:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -857,7 +857,7 @@
"restart_home_assistant": "Restart Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Quick reload",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Reloading configuration",
"failed_to_reload_configuration": "Failed to reload configuration",
"restart_description": "Interrupts all running automations and scripts.",
@@ -885,8 +885,8 @@
"password": "Password",
"regex_pattern": "Regex pattern",
"used_for_client_side_validation": "Used for client-side validation",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Input field",
"slider": "Slider",
"step_size": "Step size",
@@ -1480,141 +1480,120 @@
"compare_data": "Compare data",
"ui_panel_lovelace_components_energy_period_selector_today": "วันนี้",
"reload_ui": "Reload UI",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
+ "scene": "Scene",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climate",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climate",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1643,6 +1622,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1668,31 +1648,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Next dawn",
- "next_dusk": "Next dusk",
- "next_midnight": "Next midnight",
- "next_noon": "Next noon",
- "next_rising": "Next rising",
- "next_setting": "Next setting",
- "solar_azimuth": "Solar azimuth",
- "solar_elevation": "Solar elevation",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1714,34 +1679,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Plugged in",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1815,6 +1822,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1865,7 +1873,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1882,6 +1889,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Next dawn",
+ "next_dusk": "Next dusk",
+ "next_midnight": "Next midnight",
+ "next_noon": "Next noon",
+ "next_rising": "Next rising",
+ "next_setting": "Next setting",
+ "solar_azimuth": "Solar azimuth",
+ "solar_elevation": "Solar elevation",
+ "solar_rising": "Solar rising",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1901,73 +1951,251 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Plugged in",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Paused",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -2000,84 +2228,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Current humidity",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Current action",
- "cooling": "Cooling",
- "defrosting": "Defrosting",
- "drying": "Drying",
- "heating": "Heating",
- "preheating": "Preheating",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Both",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Not charging",
- "disconnected": "Disconnected",
- "connected": "Connected",
- "hot": "Hot",
- "no_light": "No light",
- "light_detected": "Light detected",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "Not moving",
- "unplugged": "Unplugged",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Above horizon",
- "below_horizon": "Below horizon",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2093,13 +2249,36 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "available_tones": "Available tones",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Clear, night",
"cloudy": "Cloudy",
"exceptional": "Exceptional",
@@ -2122,26 +2301,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "disarming": "Disarming",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2150,65 +2312,112 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locked": "Locked",
+ "locking": "Locking",
+ "unlocked": "Unlocked",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Current humidity",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Current action",
+ "cooling": "Cooling",
+ "defrosting": "Defrosting",
+ "drying": "Drying",
+ "heating": "Heating",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Both",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Not charging",
+ "disconnected": "Disconnected",
+ "connected": "Connected",
+ "hot": "Hot",
+ "no_light": "No light",
+ "light_detected": "Light detected",
+ "not_moving": "Not moving",
+ "unplugged": "Unplugged",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Above horizon",
+ "below_horizon": "Below horizon",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Disarming",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2219,27 +2428,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2247,68 +2458,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2335,48 +2505,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Bridge is already configured",
- "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Couldn't get an API key",
- "link_with_deconz": "Link with deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2384,128 +2553,161 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "Bridge is already configured",
+ "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Couldn't get an API key",
+ "link_with_deconz": "Link with deCONZ",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Enable birth message",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Enable will message",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
"samsungtv_smart_options": "SamsungTV Smart options",
"data_use_st_status_info": "Use SmartThings TV Status information",
"data_use_st_channel_info": "Use SmartThings TV Channels information",
@@ -2533,28 +2735,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Enable birth message",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Enable will message",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2562,26 +2742,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2676,6 +2941,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
+ "increase_entity_name_brightness": "Increase {entity_name} brightness",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "First button",
+ "second_button": "Second button",
+ "third_button": "Third button",
+ "fourth_button": "Fourth button",
+ "fifth_button": "Fifth button",
+ "sixth_button": "Sixth button",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} is home",
+ "entity_name_is_not_home": "{entity_name} is not home",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} is cleaning",
+ "entity_name_is_docked": "{entity_name} is docked",
+ "entity_name_started_cleaning": "{entity_name} started cleaning",
+ "entity_name_docked": "{entity_name} docked",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} is locked",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is unlocked",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opened",
+ "entity_name_unlocked": "{entity_name} unlocked",
"action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
"change_preset_on_entity_name": "Change preset on {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2683,8 +3001,22 @@
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Close {entity_name} tilt",
+ "open_entity_name_tilt": "Open {entity_name} tilt",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Set {entity_name} tilt position",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} is closed",
+ "entity_name_is_closing": "{entity_name} is closing",
+ "entity_name_is_opening": "{entity_name} is opening",
+ "current_entity_name_position_is": "Current {entity_name} position is",
+ "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
+ "entity_name_closed": "{entity_name} closed",
+ "entity_name_closing": "{entity_name} closing",
+ "entity_name_opening": "{entity_name} opening",
+ "entity_name_position_changes": "{entity_name} position changes",
+ "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
"entity_name_battery_is_low": "{entity_name} battery is low",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2693,7 +3025,6 @@
"entity_name_is_detecting_gas": "{entity_name} is detecting gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} is detecting light",
- "entity_name_is_locked": "{entity_name} is locked",
"entity_name_is_moist": "{entity_name} is moist",
"entity_name_is_detecting_motion": "{entity_name} is detecting motion",
"entity_name_is_moving": "{entity_name} is moving",
@@ -2711,11 +3042,9 @@
"entity_name_is_not_cold": "{entity_name} is not cold",
"entity_name_is_disconnected": "{entity_name} is disconnected",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} is unlocked",
"entity_name_is_dry": "{entity_name} is dry",
"entity_name_is_not_moving": "{entity_name} is not moving",
"entity_name_is_not_occupied": "{entity_name} is not occupied",
- "entity_name_is_closed": "{entity_name} is closed",
"entity_name_is_unplugged": "{entity_name} is unplugged",
"entity_name_is_not_powered": "{entity_name} is not powered",
"entity_name_is_not_present": "{entity_name} is not present",
@@ -2723,7 +3052,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} is occupied",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is plugged in",
"entity_name_is_powered": "{entity_name} is powered",
"entity_name_is_present": "{entity_name} is present",
@@ -2743,7 +3071,6 @@
"entity_name_started_detecting_gas": "{entity_name} started detecting gas",
"entity_name_became_hot": "{entity_name} became hot",
"entity_name_started_detecting_light": "{entity_name} started detecting light",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} started detecting motion",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2754,18 +3081,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} became not hot",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} closed",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
@@ -2773,7 +3097,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} plugged in",
"entity_name_powered": "{entity_name} powered",
"entity_name_present": "{entity_name} present",
@@ -2781,46 +3104,16 @@
"entity_name_started_running": "{entity_name} started running",
"entity_name_started_detecting_smoke": "{entity_name} started detecting smoke",
"entity_name_started_detecting_sound": "{entity_name} started detecting sound",
- "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
- "entity_name_became_unsafe": "{entity_name} became unsafe",
- "trigger_type_update": "{entity_name} got an update available",
- "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
- "entity_name_is_buffering": "{entity_name} is buffering",
- "entity_name_is_idle": "{entity_name} is idle",
- "entity_name_is_paused": "{entity_name} is paused",
- "entity_name_is_playing": "{entity_name} is playing",
- "entity_name_starts_buffering": "{entity_name} starts buffering",
- "entity_name_becomes_idle": "{entity_name} becomes idle",
- "entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} is home",
- "entity_name_is_not_home": "{entity_name} is not home",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
- "increase_entity_name_brightness": "Increase {entity_name} brightness",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Disarm {entity_name}",
- "trigger_entity_name": "Trigger {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} is disarmed",
- "entity_name_is_triggered": "{entity_name} is triggered",
- "entity_name_armed_away": "{entity_name} armed away",
- "entity_name_armed_home": "{entity_name} armed home",
- "entity_name_armed_night": "{entity_name} armed night",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} disarmed",
- "entity_name_triggered": "{entity_name} triggered",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
+ "entity_name_became_unsafe": "{entity_name} became unsafe",
+ "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
+ "entity_name_is_buffering": "{entity_name} is buffering",
+ "entity_name_is_idle": "{entity_name} is idle",
+ "entity_name_is_paused": "{entity_name} is paused",
+ "entity_name_is_playing": "{entity_name} is playing",
+ "entity_name_starts_buffering": "{entity_name} starts buffering",
+ "entity_name_becomes_idle": "{entity_name} becomes idle",
+ "entity_name_starts_playing": "{entity_name} starts playing",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2830,35 +3123,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Close {entity_name} tilt",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Open {entity_name} tilt",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Set {entity_name} tilt position",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} is closing",
- "entity_name_is_opening": "{entity_name} is opening",
- "current_entity_name_position_is": "Current {entity_name} position is",
- "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
- "entity_name_closing": "{entity_name} closing",
- "entity_name_opening": "{entity_name} opening",
- "entity_name_position_changes": "{entity_name} position changes",
- "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Both buttons",
"bottom_buttons": "Bottom buttons",
"seventh_button": "Seventh button",
@@ -2883,13 +3147,6 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} is cleaning",
- "entity_name_is_docked": "{entity_name} is docked",
- "entity_name_started_cleaning": "{entity_name} started cleaning",
- "entity_name_docked": "{entity_name} docked",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2900,29 +3157,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Disarm {entity_name}",
+ "trigger_entity_name": "Trigger {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} is disarmed",
+ "entity_name_is_triggered": "{entity_name} is triggered",
+ "entity_name_armed_away": "{entity_name} armed away",
+ "entity_name_armed_home": "{entity_name} armed home",
+ "entity_name_armed_night": "{entity_name} armed night",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} disarmed",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "Device dropped",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Device tilted",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "ผลิตภัณฑ์",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3053,52 +3335,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "ผลิตภัณฑ์",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3115,6 +3367,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3125,102 +3378,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3233,25 +3395,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3277,27 +3484,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3336,40 +3824,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3377,77 +3831,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3456,83 +3849,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/tr/tr.json b/packages/core/src/hooks/useLocale/locales/tr/tr.json
index 6b615967..138fea1c 100644
--- a/packages/core/src/hooks/useLocale/locales/tr/tr.json
+++ b/packages/core/src/hooks/useLocale/locales/tr/tr.json
@@ -258,6 +258,7 @@
"learn_more_about_templating": "Şablonlama hakkında daha fazla bilgi edinin.",
"show_password": "Şifreyi göster",
"hide_password": "Şifreyi gizle",
+ "ui_components_selectors_background_yaml_info": "Arkaplan resmi yaml editörü aracılığıyla ayarlandı.",
"no_logbook_events_found": "Kayıt defteri girişi bulunamadı.",
"triggered_by": "tarafından tetiklenir",
"triggered_by_automation": "otomasyon tarafından tetiklenir",
@@ -604,7 +605,7 @@
"sat": "Cumartesi",
"after": "Sonra",
"end_after": "Sonra bitir",
- "occurrences": "occurrences",
+ "occurrences": "olaylar",
"every": "her",
"years": "yıllar",
"year": "Yıl",
@@ -735,6 +736,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Güncellemeden önce yedek oluşturun",
"update_instructions": "Güncelleme talimatları",
"current_activity": "Şu anki aktivite",
+ "status": "Durum 2",
"vacuum_cleaner_commands": "Elektrikli süpürge komutları:",
"fan_speed": "Fan hızı",
"clean_spot": "Noktayı temizle",
@@ -769,7 +771,7 @@
"default_code": "Varsayılan kod",
"editor_default_code_error": "Kod, kod formatıyla eşleşmiyor",
"entity_id": "Varlık kimliği",
- "unit_of_measurement": "Ölçü Birimi",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "Yağış birimi",
"display_precision": "Ekran hassasiyeti",
"default_value": "Varsayılan ({value})",
@@ -850,7 +852,7 @@
"restart_home_assistant": "Home Assistant yeniden başlatılsın mı?",
"advanced_options": "Gelişmiş seçenekler",
"quick_reload": "Hızlı yeniden yükleme",
- "reload_description": "Kullanılabilir tüm komut dosyalarını yeniden yükler.",
+ "reload_description": "YAML yapılandırmasındaki zamanlayıcıları yeniden yükler.",
"reloading_configuration": "Yapılandırma yeniden yükleniyor",
"failed_to_reload_configuration": "Konfigürasyon yeniden yüklenemedi",
"restart_description": "Çalışan tüm otomasyonları ve senaryoları kesintiye uğratır.",
@@ -879,8 +881,8 @@
"password": "Şifre",
"regex_pattern": "Normal ifade kalıbı",
"used_for_client_side_validation": "İstemci tarafı doğrulaması için kullanılır",
- "minimum_value": "Minimum değer",
- "maximum_value": "Maksimum değer",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Giriş alanı",
"slider": "Kaydırıcı",
"step_size": "Adım boyutu",
@@ -1191,7 +1193,7 @@
"ui_panel_lovelace_editor_edit_view_type_helper_sections": "Geçiş henüz desteklenmediğinden görünümünüzü 'bölümler' görünüm türünü kullanacak şekilde değiştiremezsiniz. 'Bölümler' görünümünü denemek istiyorsanız yeni bir görünümle sıfırdan başlayın.",
"card_configuration": "Kart yapılandırması",
"type_card_configuration": "{type} Kart yapılandırması",
- "edit_card_pick_card": "Hangi kartı eklemek istiyorsunuz?",
+ "edit_card_pick_card": "Which card would you like to add?",
"toggle_editor": "Düzenleyiciyi değiştir",
"you_have_unsaved_changes": "Kaydedilmemiş değişiklikleriniz mevcut",
"edit_card_confirm_cancel": "İptal etmek istediğinizden emin misiniz?",
@@ -1505,148 +1507,127 @@
"now": "Şimdi",
"compare_data": "Verileri karşılaştırın",
"reload_ui": "Arayüzü yeniden yükle",
- "input_datetime": "Giriş Tarih/Saat",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Zamanlayıcı",
- "local_calendar": "Yerel Takvim",
- "intent": "Intent",
- "device_tracker": "Cihaz izleyici",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Doğru/Yanlış giriniz",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "Mobil uygulama",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Tanılama",
+ "filesize": "Dosya boyutu",
+ "group": "Grup",
+ "binary_sensor": "İkili sensör",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Girdi seçiniz",
+ "device_automation": "Device Automation",
+ "person": "Kişi",
+ "input_button": "Giriş düğmesi",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Günlük Tutan",
+ "script": "Senaryo",
"fan": "Fan",
- "weather": "Hava",
- "camera": "Kamera",
+ "scene": "Scene",
"schedule": "Zamanlama",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Otomasyon",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Hava",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Konuşma",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Metin giriniz",
- "valve": "Vana",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "İklimlendirme",
- "binary_sensor": "İkili sensör",
- "broadlink": "Broadlink",
+ "assist_satellite": "Yardımcı uydu",
+ "automation": "Otomasyon",
+ "system_log": "System Log",
+ "cover": "Panjur",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Vana",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Panjur",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Yerel Takvim",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Çim biçme makinesi",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Bölge",
- "auth": "Auth",
- "event": "Olay",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Cihaz izleyici",
+ "remote": "Uzaktan Kumanda",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "key": "Anahtar",
+ "persistent_notification": "Kalıcı Bildirim",
+ "vacuum": "Robot Süpürge",
+ "reolink": "Reolink",
+ "camera": "Kamera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Kalıcı Bildirim",
- "trace": "Trace",
- "remote": "Uzaktan Kumanda",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Sayaç",
- "filesize": "Dosya boyutu",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Numara girişi",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Güç Kaynağı Denetleyicisi",
+ "conversation": "Konuşma",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "İklimlendirme",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Doğru/Yanlış giriniz",
- "lawn_mower": "Çim biçme makinesi",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Olay",
+ "zone": "Bölge",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm Kontrol Paneli",
- "input_select": "Girdi seçiniz",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobil uygulama",
+ "timer": "Zamanlayıcı",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "key": "Anahtar",
+ "input_datetime": "Giriş Tarih/Saat",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Sayaç",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Uygulama Kimlik Bilgileri",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Grup",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Tanılama",
- "person": "Kişi",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Metin giriniz",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Numara girişi",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Uygulama Kimlik Bilgileri",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Günlük Tutan",
- "input_button": "Giriş düğmesi",
- "vacuum": "Robot Süpürge",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Güç Kaynağı Denetleyicisi",
- "assist_satellite": "Yardımcı uydu",
- "script": "Senaryo",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Aktivite kalorileri",
- "awakenings_count": "Uyanışlar sayılır",
- "battery_level": "Pil seviyesi",
- "bmi": "Vücut kitle indeksi",
- "body_fat": "Vücut yağı",
- "calories": "Kalori",
- "calories_bmr": "Kalori BMR",
- "calories_in": "Kaloriler",
- "floors": "Zeminler",
- "minutes_after_wakeup": "Uyandıktan dakikalar sonra",
- "minutes_fairly_active": "Dakikalar oldukça aktif",
- "minutes_lightly_active": "Dakikalar hafif aktif",
- "minutes_sedentary": "Dakikalar hareketsiz",
- "minutes_very_active": "Dakikalar çok aktif",
- "resting_heart_rate": "Dinlenme kalp hızı",
- "sleep_efficiency": "Uyku verimliliği",
- "sleep_minutes_asleep": "Uyku dakikaları uykuda",
- "sleep_minutes_awake": "Uyku dakikaları uyanık",
- "sleep_minutes_to_fall_asleep_name": "Uykuya dalmak için gereken uyku dakikaları",
- "sleep_start_time": "Uyku başlangıç saati",
- "sleep_time_in_bed": "Yatakta uyku zamanı",
- "steps": "Adımlar",
"battery_low": "Düşük pil",
"cloud_connection": "Bulut bağlantısı",
"humidity_warning": "Nem uyarısı",
"off": "Kapalı",
"overheated": "Aşırı ısınmış",
"temperature_warning": "Sıcaklık uyarısı",
- "update_available": "Güncelleme mevcut",
+ "update_available": "Güncelleştirme kullanılabilir",
"dry": "Kuru",
"wet": "Islak",
"pan_left": "Sola kaydır",
@@ -1668,6 +1649,7 @@
"alarm_source": "Alarm kaynağı",
"auto_off_at": "Otomatik kapanma saati",
"available_firmware_version": "Mevcut ürün yazılımı sürümü",
+ "battery_level": "Pil seviyesi",
"this_month_s_consumption": "Bu ayın tüketimi",
"today_s_consumption": "Bugünkü tüketim",
"total_consumption": "Toplam tüketim",
@@ -1685,7 +1667,7 @@
"auto_off_enabled": "Otomatik kapanma etkin",
"auto_update_enabled": "Otomatik güncelleme etkin",
"baby_cry_detection": "Bebek ağlaması algılama",
- "child_lock": "Çocuk kilidi",
+ "child_lock": "Çoçuk kilidi",
"fan_sleep_mode": "Fan uyku modu",
"led": "LED",
"motion_detection": "Hareket algılandı",
@@ -1693,31 +1675,16 @@
"motion_sensor": "Hareket sensörü",
"smooth_transitions": "Yumuşak geçişler",
"tamper_detection": "Kurcalama algılama",
- "next_dawn": "Sonraki şafak",
- "next_dusk": "Sonraki alacakaranlık",
- "next_midnight": "Sonraki gece yarısı",
- "next_noon": "Sonraki öğlen",
- "next_rising": "Sonraki yükselen",
- "next_setting": "Sonraki ayar",
- "solar_azimuth": "Güneş azimutu",
- "solar_elevation": "Güneş yüksekliği",
- "solar_rising": "Güneş yükseliyor",
- "day_of_week": "Haftanın günü",
- "illuminance": "Aydınlık",
- "noise": "Gürültü",
- "overload": "Aşırı yükleme",
- "working_location": "Çalışma yeri",
- "created": "Oluşturuldu",
- "size": "Boyut",
- "size_in_bytes": "Bayt cinsinden boyut",
- "compressor_energy_consumption": "Kompresör enerji tüketimi",
- "compressor_estimated_power_consumption": "Kompresör tahmini güç tüketimi",
- "compressor_frequency": "Kompresör frekansı",
- "cool_energy_consumption": "Soğuk enerji tüketimi",
- "energy_consumption": "Enerji tüketimi",
- "heat_energy_consumption": "Isı enerjisi tüketimi",
- "inside_temperature": "İç sıcaklık",
- "outside_temperature": "Dış sıcaklık",
+ "calibration": "Kalibrasyon",
+ "auto_lock_paused": "Otomatik kilit duraklatıldı",
+ "timeout": "Zaman aşımı",
+ "unclosed_alarm": "Kapatılmamış alarm",
+ "unlocked_alarm": "Kilitlenmemiş alarm",
+ "bluetooth_signal": "Bluetooth sinyali",
+ "light_level": "Işık seviyesi",
+ "wi_fi_signal": "WiFi sinyali",
+ "momentary": "Anlık",
+ "pull_retract": "Çek/Geri Çek",
"process_process": "İşlem {process}",
"disk_free_mount_point": "Boş disk {mount_point}",
"disk_use_mount_point": "Disk kullanımı {mount_point}",
@@ -1736,32 +1703,76 @@
"swap_use": "Takas kullanımı",
"network_throughput_in_interface": "{interface} de ağ verimi",
"network_throughput_out_interface": "Ağ çıkışı çıkışı {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Devam eden asistan",
- "preferred": "Tercih Edilen",
- "finished_speaking_detection": "Bitmiş konuşma tespiti",
- "aggressive": "Agresif",
- "relaxed": "Rahat",
- "os_agent_version": "İşletim Sistemi Aracısı sürümü",
- "apparmor_version": "Apparmor versiyonu",
- "cpu_percent": "CPU yüzdesi",
- "disk_free": "Disk boş",
- "disk_total": "Disk toplamı",
- "disk_used": "Kullanılan disk",
- "memory_percent": "Bellek yüzdesi",
- "version": "Sürüm",
- "newest_version": "En yeni sürüm",
+ "day_of_week": "Haftanın günü",
+ "illuminance": "Aydınlık",
+ "noise": "Gürültü",
+ "overload": "Aşırı yükleme",
+ "activity_calories": "Aktivite kalorileri",
+ "awakenings_count": "Uyanışlar sayılır",
+ "bmi": "Vücut kitle indeksi",
+ "body_fat": "Vücut yağı",
+ "calories": "Kalori",
+ "calories_bmr": "Kalori BMR",
+ "calories_in": "Kaloriler",
+ "floors": "Zeminler",
+ "minutes_after_wakeup": "Uyandıktan dakikalar sonra",
+ "minutes_fairly_active": "Dakikalar oldukça aktif",
+ "minutes_lightly_active": "Dakikalar hafif aktif",
+ "minutes_sedentary": "Dakikalar hareketsiz",
+ "minutes_very_active": "Dakikalar çok aktif",
+ "resting_heart_rate": "Dinlenme kalp hızı",
+ "sleep_efficiency": "Uyku verimliliği",
+ "sleep_minutes_asleep": "Uyku dakikaları uykuda",
+ "sleep_minutes_awake": "Uyku dakikaları uyanık",
+ "sleep_minutes_to_fall_asleep_name": "Uykuya dalmak için gereken uyku dakikaları",
+ "sleep_start_time": "Uyku başlangıç saati",
+ "sleep_time_in_bed": "Yatakta uyku zamanı",
+ "steps": "Adımlar",
"synchronize_devices": "Cihazları senkronize edin",
- "estimated_distance": "Tahmini mesafe",
- "vendor": "Satıcı",
- "mute": "Sessiz",
- "wake_word": "Uyandırma sözcüğü",
- "okay_nabu": "Tamam Nabu",
- "auto_gain": "Otomatik kazanç",
+ "ding": "Ding",
+ "last_recording": "Son kayıt",
+ "intercom_unlock": "İnterkom kilidi açma",
+ "doorbell_volume": "Kapı zili ses seviyesi",
"mic_volume": "Mikrofon sesi",
- "noise_suppression_level": "Gürültü bastırma seviyesi",
+ "voice_volume": "Ses seviyesi",
+ "last_activity": "Son etkinlik",
+ "last_ding": "Son ding",
+ "last_motion": "Son hareket",
+ "wi_fi_signal_category": "Wi-Fi sinyal kategorisi",
+ "wi_fi_signal_strength": "WiFi sinyal gücü",
+ "in_home_chime": "Ev içi zil",
+ "compressor_energy_consumption": "Kompresör enerji tüketimi",
+ "compressor_estimated_power_consumption": "Kompresör tahmini güç tüketimi",
+ "compressor_frequency": "Kompresör frekansı",
+ "cool_energy_consumption": "Soğuk enerji tüketimi",
+ "energy_consumption": "Enerji tüketimi",
+ "heat_energy_consumption": "Isı enerjisi tüketimi",
+ "inside_temperature": "İç sıcaklık",
+ "outside_temperature": "Dış sıcaklık",
+ "device_admin": "Cihaz yöneticisi",
+ "kiosk_mode": "Kiosk modu",
+ "plugged_in": "Takılı",
+ "load_start_url": "Başlangıç URL'sini yükle",
+ "restart_browser": "Tarayıcıyı yeniden başlatın",
+ "restart_device": "Cihazı yeniden başlatın",
+ "send_to_background": "Arka plana gönder",
+ "bring_to_foreground": "Ön plana çıkarın",
+ "screenshot": "Ekran görüntüsü",
+ "overlay_message": "Yer paylaşımı mesajı",
+ "screen_brightness": "Ekran parlaklığı",
+ "screen_off_timer": "Ekran kapatma zamanlayıcısı",
+ "screensaver_brightness": "Ekran koruyucu parlaklığı",
+ "screensaver_timer": "Ekran koruyucu zamanlayıcısı",
+ "current_page": "Geçerli sayfa",
+ "foreground_app": "Ön plan uygulaması",
+ "internal_storage_free_space": "Dahili depolama boş alanı",
+ "internal_storage_total_space": "Dahili depolama toplam alanı",
+ "free_memory": "Boş hafıza",
+ "total_memory": "Toplam hafıza",
+ "screen_orientation": "Ekran yönü",
+ "kiosk_lock": "Kiosk kilidi",
+ "maintenance_mode": "Bakım Modu",
+ "screensaver": "Ekran koruyucu",
"animal": "Hayvan",
"detected": "Algılandı",
"animal_lens": "Hayvan merceği 1",
@@ -1885,7 +1896,6 @@
"ptz_pan_position": "PTZ kaydırma konumu",
"ptz_tilt_position": "PTZ eğim pozisyonu",
"sd_hdd_index_storage": "SD {hdd_index} depolama",
- "wi_fi_signal": "WiFi sinyali",
"auto_focus": "Otomatik odaklama",
"auto_tracking": "Otomatik izleme",
"doorbell_button_sound": "Kapı zili düğmesi sesi",
@@ -1901,6 +1911,48 @@
"record": "Kayıt",
"record_audio": "Ses kaydı",
"siren_on_event": "Etkinlikte siren",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Oluşturuldu",
+ "size": "Boyut",
+ "size_in_bytes": "Bayt cinsinden boyut",
+ "assist_in_progress": "Devam eden asistan",
+ "mute": "Sessiz",
+ "preferred": "Tercih Edilen",
+ "finished_speaking_detection": "Bitmiş konuşma tespiti",
+ "aggressive": "Agresif",
+ "relaxed": "Rahat",
+ "wake_word": "Uyandırma sözcüğü",
+ "okay_nabu": "Tamam Nabu",
+ "os_agent_version": "İşletim Sistemi Aracısı sürümü",
+ "apparmor_version": "Apparmor versiyonu",
+ "cpu_percent": "CPU yüzdesi",
+ "disk_free": "Disk boş",
+ "disk_total": "Disk toplamı",
+ "disk_used": "Kullanılan disk",
+ "memory_percent": "Bellek yüzdesi",
+ "version": "Sürüm",
+ "newest_version": "En yeni sürüm",
+ "auto_gain": "Otomatik kazanç",
+ "noise_suppression_level": "Gürültü bastırma seviyesi",
+ "bytes_received": "Alınan baytlar",
+ "server_country": "Sunucu ülkesi",
+ "server_id": "Sunucu Kimliği",
+ "server_name": "Sunucu adı",
+ "ping": "Ping",
+ "upload": "Yükle",
+ "bytes_sent": "Gönderilen baytlar",
+ "working_location": "Çalışma yeri",
+ "next_dawn": "Sonraki şafak",
+ "next_dusk": "Sonraki alacakaranlık",
+ "next_midnight": "Sonraki gece yarısı",
+ "next_noon": "Sonraki öğlen",
+ "next_rising": "Sonraki yükselen",
+ "next_setting": "Sonraki ayar",
+ "solar_azimuth": "Güneş azimutu",
+ "solar_elevation": "Güneş yüksekliği",
+ "solar_rising": "Güneş yükseliyor",
"heavy": "Ağır",
"mild": "Hafif",
"button_down": "Düğmeyi kapat",
@@ -1918,70 +1970,243 @@
"checking": "Kontrol ediliyor",
"closing": "Kapanıyor",
"opened": "Açıldı",
- "ding": "Ding",
- "last_recording": "Son kayıt",
- "intercom_unlock": "İnterkom kilidi açma",
- "doorbell_volume": "Kapı zili ses seviyesi",
- "voice_volume": "Ses seviyesi",
- "last_activity": "Son etkinlik",
- "last_ding": "Son ding",
- "last_motion": "Son hareket",
- "wi_fi_signal_category": "Wi-Fi sinyal kategorisi",
- "wi_fi_signal_strength": "WiFi sinyal gücü",
- "in_home_chime": "Ev içi zil",
- "calibration": "Kalibrasyon",
- "auto_lock_paused": "Otomatik kilit duraklatıldı",
- "timeout": "Zaman aşımı",
- "unclosed_alarm": "Kapatılmamış alarm",
- "unlocked_alarm": "Kilitlenmemiş alarm",
- "bluetooth_signal": "Bluetooth sinyali",
- "light_level": "Işık seviyesi",
- "momentary": "Anlık",
- "pull_retract": "Çek/Geri Çek",
- "bytes_received": "Alınan baytlar",
- "server_country": "Sunucu ülkesi",
- "server_id": "Sunucu Kimliği",
- "server_name": "Sunucu adı",
- "ping": "Ping",
- "upload": "Yükle",
- "bytes_sent": "Gönderilen baytlar",
- "device_admin": "Cihaz yöneticisi",
- "kiosk_mode": "Kiosk modu",
- "plugged_in": "Takılı",
- "load_start_url": "Başlangıç URL'sini yükle",
- "restart_browser": "Tarayıcıyı yeniden başlatın",
- "restart_device": "Cihazı yeniden başlatın",
- "send_to_background": "Arka plana gönder",
- "bring_to_foreground": "Ön plana çıkarın",
- "screenshot": "Ekran görüntüsü",
- "overlay_message": "Yer paylaşımı mesajı",
- "screen_brightness": "Ekran parlaklığı",
- "screen_off_timer": "Ekran kapatma zamanlayıcısı",
- "screensaver_brightness": "Ekran koruyucu parlaklığı",
- "screensaver_timer": "Ekran koruyucu zamanlayıcısı",
- "current_page": "Geçerli sayfa",
- "foreground_app": "Ön plan uygulaması",
- "internal_storage_free_space": "Dahili depolama boş alanı",
- "internal_storage_total_space": "Dahili depolama toplam alanı",
- "free_memory": "Boş hafıza",
- "total_memory": "Toplam hafıza",
- "screen_orientation": "Ekran yönü",
- "kiosk_lock": "Kiosk kilidi",
- "maintenance_mode": "Bakım Modu",
- "screensaver": "Ekran koruyucu",
- "last_scanned_by_device_id_name": "Son taranan cihaz kimliği",
- "tag_id": "Etiket Kimliği",
- "managed_via_ui": "Kullanıcı arabirimi aracılığıyla yönetilir",
- "model": "Model",
- "minute": "Dakika",
- "second": "İkinci",
- "timestamp": "Zaman Damgası",
- "paused": "Durduruldu",
+ "estimated_distance": "Tahmini mesafe",
+ "vendor": "Satıcı",
+ "accelerometer": "İvmeölçer",
+ "binary_input": "İkili giriş",
+ "calibrated": "Kalibre edildi",
+ "consumer_connected": "Tüketici bağlantılı",
+ "external_sensor": "Harici sensör",
+ "frost_lock": "Donma kilidi",
+ "opened_by_hand": "Elle açıldı",
+ "heat_required": "Isı gerekli",
+ "ias_zone": "IAS bölgesi",
+ "linkage_alarm_state": "Bağlantı alarm durumu",
+ "mounting_mode_active": "Montaj modu etkin",
+ "open_window_detection_status": "Açık pencere algılama durumu",
+ "pre_heat_status": "Ön ısıtma durumu",
+ "replace_filter": "Filtreyi değiştirin",
+ "valve_alarm": "Valf alarmı",
+ "open_window_detection": "Açık pencere algılama",
+ "feed": "Besleme",
+ "frost_lock_reset": "Donma kilidi sıfırlama",
+ "presence_status_reset": "İletişim durumu sıfırlama",
+ "reset_summation_delivered": "Toplam teslim edildi sıfırlandı",
+ "self_test": "Kendi kendini test",
+ "keen_vent": "Keskin havalandırma",
+ "fan_group": "Fan grubu",
+ "light_group": "Işık grubu",
+ "door_lock": "Kapı kilidi",
+ "ambient_sensor_correction": "Ortam sensörü düzeltmesi",
+ "approach_distance": "Yaklaşma mesafesi",
+ "automatic_switch_shutoff_timer": "Otomatik anahtar kapatma zamanlayıcısı",
+ "away_preset_temperature": "Dışarıda önceden ayarlanmış sıcaklık",
+ "boost_amount": "Artış miktarı",
+ "button_delay": "Düğme gecikmesi",
+ "local_default_dimming_level": "Yerel varsayılan kısma seviyesi",
+ "remote_default_dimming_level": "Uzaktan varsayılan kısma seviyesi",
+ "default_move_rate": "Varsayılan hareket oranı",
+ "detection_delay": "Algılama gecikmesi",
+ "maximum_range": "Maksimum menzil",
+ "minimum_range": "Minimum aralık",
+ "detection_interval": "Algılama aralığı",
+ "remote_dimming_up_speed": "Uzaktan karartma hızı",
+ "local_dimming_up_speed": "Yerel karartma hızı",
+ "display_activity_timeout": "Etkinlik zaman aşımını görüntüle",
+ "display_inactive_brightness": "Etkin olmayan parlaklığı göster",
+ "double_tap_up_level": "Seviyeyi iki kez hafifçe vurun",
+ "exercise_start_time": "Egzersiz başlama zamanı",
+ "external_sensor_correction": "Harici sensör düzeltmesi",
+ "external_temperature_sensor": "Harici sıcaklık sensörü",
+ "fade_time": "Solma süresi",
+ "fallback_timeout": "Geri dönüş zaman aşımı",
+ "filter_life_time": "Yaşam süresini filtrele",
+ "fixed_load_demand": "Sabit yük talebi",
+ "frost_protection_temperature": "Donmaya karşı koruma sıcaklığı",
+ "irrigation_cycles": "Sulama döngüleri",
+ "irrigation_interval": "Sulama aralığı",
+ "irrigation_target": "Sulama hedefi",
+ "led_color_when_off_name": "Varsayılan tüm LED kapalı renk",
+ "led_color_when_on_name": "Varsayılan olarak tüm LED'ler renklidir",
+ "led_intensity_when_off_name": "Varsayılan tüm LED kapalı yoğunluğu",
+ "led_intensity_when_on_name": "Varsayılan olarak tüm LED'ler yoğunlukta",
+ "load_level_indicator_timeout": "Yük seviyesi göstergesi zaman aşımı",
+ "load_room_mean": "Yük odası ortalaması",
+ "local_temperature_offset": "Yerel sıcaklık farkı",
+ "max_heat_setpoint_limit": "Maksimum ısı ayar noktası limiti",
+ "maximum_load_dimming_level": "Maksimum yük karartma seviyesi",
+ "min_heat_setpoint_limit": "Min ısı ayar noktası limiti",
+ "minimum_load_dimming_level": "Minimum yük karartma seviyesi",
+ "off_led_intensity": "Kapalı LED yoğunluğu",
+ "off_transition_time": "Kapalı geçiş süresi",
+ "on_led_intensity": "LED yoğunluğu hakkında",
+ "on_level": "Seviyesinde",
+ "on_off_transition_time": "Açma/Kapama geçiş süresi",
+ "on_transition_time": "Geçiş zamanında",
+ "open_window_detection_guard_period_name": "Açık pencere algılama koruma süresi",
+ "open_window_detection_threshold": "Açık pencere algılama eşiği",
+ "open_window_event_duration": "Açık pencere olayı süresi",
+ "portion_weight": "Porsiyon ağırlığı",
+ "presence_detection_timeout": "Varlık algılama zaman aşımı",
+ "presence_sensitivity": "Varlık duyarlılığı",
+ "quick_start_time": "Hızlı başlangıç zamanı",
+ "ramp_rate_off_to_on_local_name": "Yerel rampa oranı kapalıdan açıka",
+ "ramp_rate_off_to_on_remote_name": "Uzaktan rampa hızı kapalıdan açıka",
+ "ramp_rate_on_to_off_local_name": "Yerel rampa oranı açıktan kapalıya",
+ "ramp_rate_on_to_off_remote_name": "Uzaktan rampa hızı açıktan kapalıya",
+ "regulation_setpoint_offset": "Düzenleme ayar noktası ofseti",
+ "regulator_set_point": "Regülatör ayar noktası",
+ "serving_to_dispense": "Dağıtıma hizmet ediyor",
+ "siren_time": "Siren zamanı",
+ "start_up_color_temperature": "Başlangıç renk sıcaklığı",
+ "start_up_current_level": "Başlangıç akımı seviyesi",
+ "start_up_default_dimming_level": "Başlangıç varsayılan kısma seviyesi",
+ "timer_duration": "Zamanlayıcı süresi",
+ "timer_time_left": "Kalan zamanlayıcı süresi",
+ "transmit_power": "İletim gücü",
+ "valve_closing_degree": "Vana kapanma derecesi",
+ "irrigation_time": "Sulama zamanı 2",
+ "valve_opening_degree": "Vana açma derecesi",
+ "adaptation_run_command": "Adaptasyon çalıştırma komutu",
+ "backlight_mode": "Arka ışık modu",
+ "click_mode": "Tıklama modu",
+ "control_type": "Kontrol tipi",
+ "decoupled_mode": "Ayrılmış mod",
+ "default_siren_level": "Varsayılan siren seviyesi",
+ "default_siren_tone": "Varsayılan siren sesi",
+ "default_strobe": "Varsayılan flaş",
+ "default_strobe_level": "Varsayılan flaş seviyesi",
+ "detection_distance": "Algılama mesafesi",
+ "detection_sensitivity": "Algılama Hassasiyeti",
+ "exercise_day_of_week_name": "Haftanın egzersiz günü",
+ "external_temperature_sensor_type": "Dış sıcaklık sensörü tipi",
+ "external_trigger_mode": "Harici tetik modu",
+ "heat_transfer_medium": "Isı transfer ortamı",
+ "heating_emitter_type": "Isıtma yayıcı tipi",
+ "heating_fuel": "Isıtma yakıtı",
+ "non_neutral_output": "Nötr olmayan çıkış",
+ "irrigation_mode": "Sulama modu",
+ "keypad_lockout": "Tuş takımı kilitleme",
+ "dimming_mode": "Kısma modu",
+ "led_scaling_mode": "Led ölçeklendirme modu",
+ "local_temperature_source": "Yerel sıcaklık kaynağı",
+ "monitoring_mode": "İzleme modu",
+ "off_led_color": "Kapalı LED rengi",
+ "on_led_color": "LED renginde",
+ "run_mode": "Çalışma modu",
+ "output_mode": "Çıkış modu",
+ "power_on_state": "Güç açık durumu",
+ "regulator_period": "Düzenleyici dönem",
+ "sensor_mode": "Sensör modu",
+ "setpoint_response_time": "Ayar noktası yanıt süresi",
+ "smart_fan_led_display_levels_name": "Akıllı fan ledli ekran seviyeleri",
+ "start_up_behavior": "Başlatma davranışı",
+ "switch_mode": "Modu değiştir",
+ "switch_type": "Anahtar türü",
+ "thermostat_application": "Termostat uygulaması",
+ "thermostat_mode": "Termostat modu",
+ "valve_orientation": "Valf yönü",
+ "viewing_direction": "Görüntüleme yönü",
+ "weather_delay": "Hava gecikmesi",
+ "curtain_mode": "Perde modu",
+ "ac_frequency": "AC frekansı",
+ "adaptation_run_status": "Adaptasyon çalıştırma durumu",
+ "in_progress": "Devam ediyor",
+ "run_successful": "Başarılı çalıştır",
+ "valve_characteristic_lost": "Valf karakteristiği kayboldu",
+ "analog_input": "Analog giriş",
+ "control_status": "Kontrol durumu",
+ "device_run_time": "Cihaz çalışma süresi",
+ "device_temperature": "Cihaz sıcaklığı",
+ "target_distance": "Hedef mesafe",
+ "filter_run_time": "Çalışma süresini filtrele",
+ "formaldehyde_concentration": "Formaldehit konsantrasyonu",
+ "hooks_state": "Kanca durumu",
+ "hvac_action": "HVAC eylemi",
+ "instantaneous_demand": "Anlık talep",
+ "irrigation_duration": "Sulama süresi 1",
+ "last_irrigation_duration": "Son sulama süresi",
+ "irrigation_end_time": "Sulama bitiş zamanı",
+ "irrigation_start_time": "Sulama başlangıç zamanı",
+ "last_feeding_size": "Son besleme boyutu",
+ "last_feeding_source": "Son besleme kaynağı",
+ "last_illumination_state": "Son aydınlatma durumu",
+ "last_valve_open_duration": "Son vana açık kalma süresi",
+ "leaf_wetness": "Yaprak ıslaklığı",
+ "load_estimate": "Yük tahmini",
+ "floor_temperature": "Zemin sıcaklığı",
+ "lqi": "LQI",
+ "motion_distance": "Hareket mesafesi",
+ "motor_stepcount": "Motor adım sayısı",
+ "open_window_detected": "Açık pencere algılandı",
+ "overheat_protection": "Aşırı ısınma koruması",
+ "pi_heating_demand": "Pi ısıtma talebi",
+ "portions_dispensed_today": "Bugün dağıtılan porsiyonlar",
+ "pre_heat_time": "Ön ısıtma süresi",
+ "rssi": "RSSI",
+ "self_test_result": "Kendi kendine test sonucu",
+ "setpoint_change_source": "Ayar noktası değiştirme kaynağı",
+ "smoke_density": "Duman yoğunluğu",
+ "software_error": "Yazılım hatası",
+ "good": "İyi",
+ "critical_low_battery": "Kritik düzeyde düşük pil",
+ "encoder_jammed": "Kodlayıcı sıkışmış",
+ "invalid_clock_information": "Geçersiz saat bilgisi",
+ "invalid_internal_communication": "Geçersiz dahili iletişim",
+ "motor_error": "Motor hatası",
+ "non_volatile_memory_error": "Kalıcı bellek hatası",
+ "radio_communication_error": "Radyo iletişim hatası",
+ "side_pcb_sensor_error": "Yan PCB sensör hatası",
+ "top_pcb_sensor_error": "Üst PCB sensör hatası",
+ "unknown_hw_error": "Bilinmeyen donanım hatası",
+ "soil_moisture": "Toprak nemi",
+ "summation_delivered": "Toplama teslim edildi",
+ "summation_received": "Özet alındı",
+ "tier_summation_delivered": "6. Aşama toplamı teslim edildi",
+ "timer_state": "Zamanlayıcı durumu",
+ "time_left": "Kalan zaman",
+ "weight_dispensed_today": "Bugün verilen ağırlık",
+ "window_covering_type": "Pencere kaplama tipi",
+ "adaptation_run_enabled": "Adaptasyon çalıştırması etkinleştirildi",
+ "aux_switch_scenes": "Aux geçiş sahneleri",
+ "binding_off_to_on_sync_level_name": "Senkronizasyon düzeyinde bağlanma",
+ "buzzer_manual_alarm": "Sesli manuel alarm",
+ "buzzer_manual_mute": "Buzzer'ın manuel olarak kapatılması",
+ "detach_relay": "Röleyi ayır",
+ "disable_clear_notifications_double_tap_name": "Bildirimleri temizlemek için yapılandırmaya 2 kez dokunmayı devre dışı bırakın",
+ "disable_led": "LED'i devre dışı bırak",
+ "double_tap_up_enabled": "Çift dokunma etkin",
+ "double_up_full_name": "Çift dokunma - tam",
+ "enable_siren": "Siren'i etkinleştir",
+ "external_window_sensor": "Harici pencere sensörü",
+ "distance_switch": "Mesafe anahtarı",
+ "firmware_progress_led": "Donanım yazılımı ilerleme LED'i",
+ "heartbeat_indicator": "Kalp atışı göstergesi",
+ "heat_available": "Mevcut ısı",
+ "hooks_locked": "Kancalar kilitli",
+ "invert_switch": "Ters çevirme anahtarı",
+ "inverted": "Ters çevrilmiş",
+ "led_indicator": "LED göstergesi",
+ "linkage_alarm": "Bağlantı alarmı",
+ "local_protection": "Yerel koruma",
+ "mounting_mode": "Montaj modu",
+ "only_led_mode": "Yalnızca 1 LED modu",
+ "open_window": "Açık pencere",
+ "power_outage_memory": "Elektrik kesintisi hafızası",
+ "prioritize_external_temperature_sensor": "Harici sıcaklık sensörüne öncelik verin",
+ "relay_click_in_on_off_mode_name": "Kapalı modda geçiş tıklamasını devre dışı bırakın",
+ "smart_bulb_mode": "Akıllı ampul modu",
+ "smart_fan_mode": "Akıllı fan modu",
+ "led_trigger_indicator": "LED tetik göstergesi",
+ "turbo_mode": "Turbo modu",
+ "use_internal_window_detection": "Dahili pencere algılamayı kullan",
+ "use_load_balancing": "Yük dengelemeyi kullan",
+ "valve_detection": "Valf algılama",
+ "window_detection": "Pencere algılama",
+ "invert_window_detection": "Pencere algılamayı tersine çevir",
+ "available_tones": "Mevcut tonlar",
"device_trackers": "Takip cihazları",
"gps_accuracy": "GPS doğruluğu",
- "finishes_at": "Bitiyor",
- "remaining": "Kalan",
- "restore": "Geri Yükleme",
"last_reset": "Son sıfırlama",
"possible_states": "Olası durumlar",
"state_class": "Durum sınıfı",
@@ -2013,81 +2238,12 @@
"sound_pressure": "Ses basıncı",
"speed": "Hız",
"sulphur_dioxide": "Kükürt dioksit",
+ "timestamp": "Zaman Damgası",
"vocs": "VOC'lar",
"volume_flow_rate": "Hacim akış hızı",
"stored_volume": "Kaydedilmiş seviye",
"weight": "Ağırlık",
- "cool": "Soğutma",
- "fan_only": "Sadece fan",
- "heat_cool": "Isıtma/soğutma",
- "aux_heat": "Yardımcı ısı",
- "current_humidity": "Mevcut nem",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan modu",
- "diffuse": "Dağınık",
- "top": "Yukarı",
- "current_action": "Mevcut eylem",
- "cooling": "Soğutuluyor",
- "defrosting": "Buz çözme",
- "drying": "Kurutuluyor",
- "heating": "Isıtılıyor",
- "preheating": "Ön ısıtma",
- "max_target_humidity": "Maksimum hedef nem",
- "max_target_temperature": "Maksimum hedef sıcaklık",
- "min_target_humidity": "Minimum hedef nem",
- "min_target_temperature": "Minimum hedef sıcaklık",
- "boost": "Güçlü",
- "comfort": "Konfor",
- "eco": "Eko",
- "sleep": "Uyku",
- "presets": "Ön Ayarlar",
- "horizontal_swing_mode": "Yatay salınım modu",
- "swing_mode": "Salınım modu",
- "both": "Çift",
- "horizontal": "Yatay",
- "upper_target_temperature": "Üst hedef sıcaklık",
- "lower_target_temperature": "Daha düşük hedef sıcaklık",
- "target_temperature_step": "Hedef sıcaklık adımı",
- "step": "Adım",
- "not_charging": "Şarj olmuyor",
- "disconnected": "Bağlantı kesildi",
- "connected": "Bağlandı",
- "hot": "Sıcak",
- "no_light": "Işık yok",
- "light_detected": "Işık algılandı",
- "locked": "Kilitli",
- "unlocked": "Kilitli değil",
- "not_moving": "Hareket etmiyor",
- "unplugged": "Takılı değil",
- "not_running": "Çalışmıyor",
- "safe": "Güvenli",
- "unsafe": "Güvensiz",
- "tampering_detected": "Kurcalama tespit edildi",
- "box": "Kutu",
- "above_horizon": "Gündüz",
- "below_horizon": "Ufkun altında",
- "buffering": "Ön belleğe alınıyor",
- "playing": "Oynatılıyor",
- "standby": "Bekleme modu",
- "app_id": "Uygulama Kimliği",
- "local_accessible_entity_picture": "Yerel erişilebilir varlık resmi",
- "group_members": "Grup üyeleri",
- "album_artist": "Albüm sanatçısı",
- "content_id": "İçerik Kimliği",
- "content_type": "İçerik türü",
- "channels": "Kanallar",
- "position_updated": "Pozisyon güncellendi",
- "series": "Diziler",
- "all": "Tümü",
- "one": "Bir",
- "available_sound_modes": "Mevcut ses modları",
- "available_sources": "Mevcut kaynaklar",
- "receiver": "Alıcı",
- "speaker": "Hoparlör",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Yönlendirici",
+ "managed_via_ui": "Kullanıcı arabirimi aracılığıyla yönetilir",
"color_mode": "Color Mode",
"brightness_only": "Yalnızca parlaklık",
"hs": "HS",
@@ -2103,13 +2259,32 @@
"minimum_color_temperature_kelvin": "Minimum renk sıcaklığı (Kelvin)",
"minimum_color_temperature_mireds": "Minimum renk sıcaklığı (mireds)",
"available_color_modes": "Mevcut renk modları",
- "available_tones": "Mevcut tonlar",
"docked": "Şarj istasyonunda",
"mowing": "Biçme",
+ "paused": "Durduruldu",
"returning": "Dönüş",
+ "model": "Model",
+ "running_automations": "Çalışan otomasyonlar",
+ "max_running_scripts": "Maksimum çalışan senaryolar",
+ "parallel": "Paralel",
+ "queued": "Sırada",
+ "auto_update": "Otomatik güncelleme",
+ "installed_version": "Yüklü sürüm",
+ "latest_version": "En son sürüm",
+ "release_summary": "Sürüm özeti",
+ "release_url": "Sürüm URL'si",
+ "skipped_version": "Atlanan sürüm",
+ "firmware": "Donanım yazılımı",
"oscillating": "Salınımlı",
"speed_step": "Hızlı adım",
"available_preset_modes": "Kullanılabilir ön ayar modları",
+ "minute": "Dakika",
+ "second": "İkinci",
+ "next_event": "Sonraki etkinlik",
+ "step": "Adım",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Yönlendirici",
"clear_night": "Açık, gece",
"cloudy": "Bulutlu",
"exceptional": "Olağanüstü",
@@ -2132,25 +2307,9 @@
"uv_index": "UV Endeksi",
"wind_bearing": "Rüzgar yatağı",
"wind_gust_speed": "Rüzgar esme hızı",
- "auto_update": "Otomatik güncelleme",
- "in_progress": "Devam ediyor",
- "installed_version": "Yüklü sürüm",
- "latest_version": "En son sürüm",
- "release_summary": "Sürüm özeti",
- "release_url": "Sürüm URL'si",
- "skipped_version": "Atlanan sürüm",
- "firmware": "Donanım yazılımı",
- "armed_away": "Dışarda Aktif",
- "armed_custom_bypass": "Özel Mod Aktif",
- "armed_home": "Evde Aktif",
- "armed_night": "Gece Aktif",
- "armed_vacation": "Alarm - Tatil Modu",
- "disarming": "Alarm devre dışı",
- "changed_by": "Tarafından değiştirildi",
- "code_for_arming": "Kurma kodu",
- "not_required": "Gerekli değil",
- "code_format": "Kod formatı",
"identify": "Tanımlama",
+ "cleaning": "Temizleniyor",
+ "returning_to_dock": "Şarj istasyonuna dönüyor",
"recording": "Kaydediliyor",
"streaming": "Yayınlanıyor",
"access_token": "Erişim Anahtarı",
@@ -2158,94 +2317,139 @@
"stream_type": "Akış tipi",
"hls": "HLS",
"webrtc": "WebRTC",
+ "last_scanned_by_device_id_name": "Son taranan cihaz kimliği",
+ "tag_id": "Etiket Kimliği",
+ "box": "Kutu",
+ "jammed": "Sıkışmış",
+ "locked": "Kilitli",
+ "locking": "Kilitleniyor",
+ "unlocked": "Kilitli değil",
+ "unlocking": "Kilit açma",
+ "changed_by": "Tarafından değiştirildi",
+ "code_format": "Kod formatı",
+ "members": "Üyeler",
+ "listening": "Dinleniyor",
+ "processing": "İşleniyor",
+ "responding": "Cevaplama",
+ "id": "ID",
+ "max_running_automations": "Maksimum çalışan otomasyonlar",
+ "cool": "Soğutma",
+ "fan_only": "Sadece fan",
+ "heat_cool": "Isıtma/soğutma",
+ "aux_heat": "Yardımcı ısı",
+ "current_humidity": "Mevcut nem",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan modu",
+ "diffuse": "Dağınık",
+ "top": "Yukarı",
+ "current_action": "Mevcut eylem",
+ "cooling": "Soğutuluyor",
+ "defrosting": "Buz çözme",
+ "drying": "Kurutuluyor",
+ "heating": "Isıtılıyor",
+ "preheating": "Ön ısıtma",
+ "max_target_humidity": "Maksimum hedef nem",
+ "max_target_temperature": "Maksimum hedef sıcaklık",
+ "min_target_humidity": "Minimum hedef nem",
+ "min_target_temperature": "Minimum hedef sıcaklık",
+ "boost": "Güçlü",
+ "comfort": "Konfor",
+ "eco": "Eko",
+ "sleep": "Uyku",
+ "presets": "Ön Ayarlar",
+ "horizontal_swing_mode": "Yatay salınım modu",
+ "swing_mode": "Salınım modu",
+ "both": "Çift",
+ "horizontal": "Yatay",
+ "upper_target_temperature": "Üst hedef sıcaklık",
+ "lower_target_temperature": "Daha düşük hedef sıcaklık",
+ "target_temperature_step": "Hedef sıcaklık adımı",
+ "not_charging": "Şarj olmuyor",
+ "disconnected": "Bağlantı kesildi",
+ "connected": "Bağlandı",
+ "hot": "Sıcak",
+ "no_light": "Işık yok",
+ "light_detected": "Işık algılandı",
+ "not_moving": "Hareket etmiyor",
+ "unplugged": "Takılı değil",
+ "not_running": "Çalışmıyor",
+ "safe": "Güvenli",
+ "unsafe": "Güvensiz",
+ "tampering_detected": "Kurcalama tespit edildi",
+ "buffering": "Ön belleğe alınıyor",
+ "playing": "Oynatılıyor",
+ "standby": "Bekleme modu",
+ "app_id": "Uygulama Kimliği",
+ "local_accessible_entity_picture": "Yerel erişilebilir varlık resmi",
+ "group_members": "Grup üyeleri",
+ "album_artist": "Albüm sanatçısı",
+ "content_id": "İçerik Kimliği",
+ "content_type": "İçerik türü",
+ "channels": "Kanallar",
+ "position_updated": "Pozisyon güncellendi",
+ "series": "Diziler",
+ "all": "Tümü",
+ "one": "Bir",
+ "available_sound_modes": "Mevcut ses modları",
+ "available_sources": "Mevcut kaynaklar",
+ "receiver": "Alıcı",
+ "speaker": "Hoparlör",
+ "tv": "TV",
"end_time": "Bitiş zamanı",
"start_time": "Başlangıç zamanı",
- "next_event": "Sonraki etkinlik",
"event_type": "Olay Türü",
"event_types": "Olay türleri",
"doorbell": "Kapı zili",
- "running_automations": "Çalışan otomasyonlar",
- "id": "ID",
- "max_running_automations": "Maksimum çalışan otomasyonlar",
- "run_mode": "Çalışma modu",
- "parallel": "Paralel",
- "queued": "Sırada",
- "cleaning": "Temizleniyor",
- "returning_to_dock": "Şarj istasyonuna dönüyor",
- "listening": "Dinleniyor",
- "processing": "İşleniyor",
- "responding": "Cevaplama",
- "max_running_scripts": "Maksimum çalışan senaryolar",
- "jammed": "Sıkışmış",
- "locking": "Kilitleniyor",
- "unlocking": "Kilit açma",
- "members": "Üyeler",
- "known_hosts": "Bilinen ana bilgisayarlar",
- "google_cast_configuration": "Google Cast yapılandırması",
- "confirm_description": "{name} 'i kurmak istiyor musunuz?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Hesap zaten yapılandırılmış",
- "abort_already_in_progress": "Yapılandırma akışı zaten devam ediyor",
- "failed_to_connect": "Bağlanma hatası",
- "invalid_access_token": "Geçersiz erişim anahtarı",
- "invalid_authentication": "Geçersiz kimlik doğrulama",
- "received_invalid_token_data": "Geçersiz anahtar verileri alındı.",
- "abort_oauth_failed": "Erişim anahtarı alınırken hata oluştu.",
- "timeout_resolving_oauth_token": "OAuth anahtarını çözme zaman aşımı.",
- "abort_oauth_unauthorized": "Erişim anahtarı alınırken OAuth yetkilendirme hatası.",
- "re_authentication_was_successful": "Yeniden kimlik doğrulama başarılı oldu",
- "unexpected_error": "Beklenmeyen hata",
- "successfully_authenticated": "Başarıyla doğrulandı",
- "link_fitbit": "Fitbit'i bağla",
- "pick_authentication_method": "Kimlik doğrulama yöntemini seç",
- "authentication_expired_for_name": "{name} için kimlik doğrulamanın süresi doldu",
+ "above_horizon": "Gündüz",
+ "below_horizon": "Ufkun altında",
+ "armed_away": "Dışarda Aktif",
+ "armed_custom_bypass": "Özel Mod Aktif",
+ "armed_home": "Evde Aktif",
+ "armed_night": "Gece Aktif",
+ "armed_vacation": "Alarm - Tatil Modu",
+ "disarming": "Alarm devre dışı",
+ "code_for_arming": "Kurma kodu",
+ "not_required": "Gerekli değil",
+ "finishes_at": "Bitiyor",
+ "remaining": "Kalan",
+ "restore": "Geri Yükleme",
"device_is_already_configured": "Cihaz zaten yapılandırılmış",
+ "failed_to_connect": "Bağlanma hatası",
"abort_no_devices_found": "Ağda cihaz bulunamadı",
+ "re_authentication_was_successful": "Yeniden kimlik doğrulama başarılı oldu",
"re_configuration_was_successful": "Yeniden yapılandırma başarılı oldu",
"connection_error_error": "Bağlantı hatası: {error}",
"unable_to_authenticate_error": "Kimlik doğrulaması yapılamıyor: {error}",
"camera_stream_authentication_failed": "Kamera akışı kimlik doğrulaması başarısız oldu",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "Kamera canlı görüntüsünü etkinleştir",
- "username": "Kullanıcı Adı",
- "camera_auth_confirm_description": "Input device camera account credentials.",
+ "username": "Username",
+ "camera_auth_confirm_description": "Giriş aygıtı kamera hesabı kimlik bilgileri.",
"set_camera_account_credentials": "Kamera hesabı kimlik bilgilerini ayarlayın",
"authenticate": "Kimlik doğrulama",
+ "authentication_expired_for_name": "{name} için kimlik doğrulamanın süresi doldu",
"host": "Host",
"reconfigure_description": "{mac} aygıtınız için yapılandırmanızı güncelleyin",
"reconfigure_tplink_entry": "TPLink girişini yeniden yapılandırın",
"abort_single_instance_allowed": "Zaten yapılandırılmış. Yalnızca tek bir konfigürasyon mümkündür.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Kuruluma başlamak ister misiniz?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "SwitchBot API'si ile iletişim kurulurken hata oluştu: {error_detail}",
+ "unsupported_switchbot_type": "Desteklenmeyen Switchbot Türü.",
+ "unexpected_error": "Beklenmeyen hata",
+ "authentication_failed_error_detail": "Kimlik doğrulama başarısız oldu: {error_detail}",
+ "error_encryption_key_invalid": "Anahtar Kimliği veya Şifreleme anahtarı geçersiz",
+ "name_address": "{name} ({address})",
+ "confirm_description": "{name} 'i kurmak istiyor musunuz?",
+ "switchbot_account_recommended": "SwitchBot hesabı (önerilir)",
+ "enter_encryption_key_manually": "Şifreleme anahtarını manuel olarak girin",
+ "encryption_key": "Şifreleme anahtarı",
+ "key_id": "Anahtar Kimliği",
+ "password_description": "Yedeklemeyi korumak için parola.",
+ "mac_address": "MAC adresi",
"service_is_already_configured": "Hizmet zaten yapılandırılmış",
- "invalid_ics_file": "Geçersiz .ics dosyası",
- "calendar_name": "Takvim Adı",
- "starting_data": "Başlangıç Verileri",
+ "abort_already_in_progress": "Yapılandırma akışı zaten devam ediyor",
"abort_invalid_host": "Geçersiz ana bilgisayar adı veya IP adresi",
"device_not_supported": "Cihaz desteklenmiyor",
+ "invalid_authentication": "Geçersiz kimlik doğrulama",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Cihaza kimlik doğrulama",
"finish_title": "Cihaz için bir isim seçin",
@@ -2253,68 +2457,27 @@
"yes_do_it": "Evet, yap.",
"unlock_the_device_optional": "Cihazın kilidini açın (isteğe bağlı)",
"connect_to_the_device": "Cihaza bağlanın",
- "abort_missing_credentials": "Entegrasyon, uygulama kimlik bilgilerini gerektirir.",
- "timeout_establishing_connection": "Bağlantı kurulurken zaman aşımı",
- "link_google_account": "Google Hesabını Bağla",
- "path_is_not_allowed": "Yola izin verilmiyor",
- "path_is_not_valid": "Yol geçerli değil",
- "path_to_file": "Dosya yolu",
- "api_key": "API Anahtarı",
- "configure_daikin_ac": "Daikin AC'yi yapılandırın",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adaptör",
- "multiple_adapters_description": "Kurmak için bir Bluetooth adaptörü seçin",
- "arm_away_action": "Uzakta alarm eylemi",
- "arm_custom_bypass_action": "Özel bypass alarm eylemi",
- "arm_home_action": "Ev alarm eylemi",
- "arm_night_action": "Gece alarm eylemi",
- "arm_vacation_action": "Tatil alarm eylemi",
- "code_arm_required": "Alarm kodu gerekli",
- "disarm_action": "Alarmı kaldır",
- "trigger_action": "Tetikleyici eylem",
- "value_template": "Değer şablonu",
- "template_alarm_control_panel": "Şablon alarm kontrol paneli",
- "device_class": "Cihaz Sınıfı",
- "state_template": "Durum şablonu",
- "template_binary_sensor": "İkili sensör şablonu",
- "actions_on_press": "Basış eylemleri",
- "template_button": "Şablon düğmesi",
- "verify_ssl_certificate": "SSL sertifikasını doğrulayın",
- "template_image": "Şablon resmi",
- "actions_on_set_value": "Ayarlanan değer üzerindeki eylemler",
- "step_value": "Adım değeri",
- "template_number": "Şablon numarası",
- "available_options": "Mevcut seçenekler",
- "actions_on_select": "Seçimdeki eylemler",
- "template_select": "Şablon seçimi",
- "template_sensor": "Şablon sensörü",
- "actions_on_turn_off": "Kapatma eylemleri",
- "actions_on_turn_on": "Açılıştaki eylemler",
- "template_switch": "Şablon anahtarı",
- "menu_options_alarm_control_panel": "Alarm kontrol paneli şablonu",
- "template_a_binary_sensor": "İkili sensör şablonunu oluşturma",
- "template_a_button": "Bir düğme şablonu",
- "template_an_image": "Şablon ve resim",
- "template_a_number": "Şablon bir sayı",
- "template_a_select": "Bir seçimi şablonla",
- "template_a_sensor": "Bir sensör şablonu",
- "template_a_switch": "Bir şablon anahtarı",
- "template_helper": "Şablon yardımcısı",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Hesap zaten yapılandırılmış",
+ "invalid_access_token": "Geçersiz erişim anahtarı",
+ "received_invalid_token_data": "Geçersiz anahtar verileri alındı.",
+ "abort_oauth_failed": "Erişim anahtarı alınırken hata oluştu.",
+ "timeout_resolving_oauth_token": "OAuth anahtarını çözme zaman aşımı.",
+ "abort_oauth_unauthorized": "Erişim anahtarı alınırken OAuth yetkilendirme hatası.",
+ "successfully_authenticated": "Başarıyla doğrulandı",
+ "link_fitbit": "Fitbit'i bağla",
+ "pick_authentication_method": "Kimlik doğrulama yöntemini seç",
+ "two_factor_code": "İki adımlı kimlik doğrulama kodu",
+ "two_factor_authentication": "İki faktörlü kimlik doğrulama",
+ "reconfigure_ring_integration": "Ring Entegrasyonunu Yeniden Yapılandırın",
+ "sign_in_with_ring_account": "Ring hesabıyla oturum açın",
+ "abort_alternative_integration": "Cihaz başka bir entegrasyon tarafından daha iyi destekleniyor",
+ "abort_incomplete_config": "Yapılandırmada gerekli bir değişken eksik",
+ "manual_description": "Aygıt açıklaması XML dosyasının URL'si",
+ "manual_title": "Manuel DLNA DMR aygıt bağlantısı",
+ "discovered_dlna_dmr_devices": "Keşfedilen DLNA DMR cihazları",
+ "broadcast_address": "Yayın adresi",
+ "broadcast_port": "Yayın bağlantı noktası",
"abort_addon_info_failed": "{addon} eklentisi için bilgi alınamadı.",
"abort_addon_install_failed": "{addon} eklentisi yüklenemedi.",
"abort_addon_start_failed": "{addon} eklentisi başlatılamadı.",
@@ -2341,77 +2504,252 @@
"starting_add_on": "Eklenti başlatılıyor",
"menu_options_addon": "Resmi {addon} eklentisini kullanın.",
"menu_options_broker": "MQTT broker bağlantı ayrıntılarını manuel olarak girin",
- "bridge_is_already_configured": "Köprü zaten yapılandırılmış",
- "no_deconz_bridges_discovered": "DeCONZ köprüsü bulunamadı",
- "abort_no_hardware_available": "deCONZ'a bağlı radyo donanımı yok",
- "abort_updated_instance": "DeCONZ yeni ana bilgisayar adresiyle güncelleştirildi",
- "error_linking_not_possible": "Ağ geçidi ile bağlantı kurulamadı",
- "error_no_key": "API anahtarı alınamadı",
- "link_with_deconz": "deCONZ ile bağlantı",
- "select_discovered_deconz_gateway": "Keşfedilen deCONZ ağ geçidini seçin",
- "pin_code": "PIN kodu",
- "discovered_android_tv": "Android TV bulundu",
- "abort_mdns_missing_mac": "MDNS özelliklerinde eksik MAC adresi.",
- "abort_mqtt_missing_api": "MQTT özelliklerinde eksik API bağlantı noktası.",
- "abort_mqtt_missing_ip": "MQTT özelliklerinde eksik IP adresi.",
- "abort_mqtt_missing_mac": "MQTT özelliklerinde eksik MAC adresi.",
- "missing_mqtt_payload": "Eksik MQTT Yükü.",
- "action_received": "Eylem alındı",
- "discovered_esphome_node": "ESPHome düğümü keşfedildi",
- "encryption_key": "Şifreleme anahtarı",
- "no_port_for_endpoint": "Uç nokta için bağlantı noktası yok",
- "abort_no_services": "Uç noktada hizmet bulunamadı",
- "discovered_wyoming_service": "Wyoming hizmetini keşfetti",
- "abort_alternative_integration": "Cihaz başka bir entegrasyon tarafından daha iyi destekleniyor",
- "abort_incomplete_config": "Yapılandırmada gerekli bir değişken eksik",
- "manual_description": "Aygıt açıklaması XML dosyasının URL'si",
- "manual_title": "Manuel DLNA DMR aygıt bağlantısı",
- "discovered_dlna_dmr_devices": "Keşfedilen DLNA DMR cihazları",
+ "api_key": "API Anahtarı",
+ "configure_daikin_ac": "Daikin AC'yi yapılandırın",
+ "cannot_connect_details_error_detail": "Bağlanamıyor. Ayrıntılar: {error_detail}",
+ "unknown_details_error_detail": "Bilinmeyen. Ayrıntılar: {error_detail}",
+ "uses_an_ssl_certificate": "SSL sertifikası kullanır",
+ "verify_ssl_certificate": "SSL sertifikasını doğrulayın",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adaptör",
+ "multiple_adapters_description": "Kurmak için bir Bluetooth adaptörü seçin",
"api_error_occurred": "API hatası oluştu",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "HTTPS'yi Etkinleştir",
- "broadcast_address": "Yayın adresi",
- "broadcast_port": "Yayın bağlantı noktası",
- "mac_address": "MAC adresi",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteoroloji Enstitüsü",
- "ipv_is_not_supported": "IPv6 desteklenmiyor.",
- "error_custom_port_not_supported": "Gen1 cihazı özel bağlantı noktasını desteklemez.",
- "two_factor_code": "İki adımlı kimlik doğrulama kodu",
- "two_factor_authentication": "İki faktörlü kimlik doğrulama",
- "reconfigure_ring_integration": "Ring Entegrasyonunu Yeniden Yapılandırın",
- "sign_in_with_ring_account": "Ring hesabıyla oturum açın",
+ "timeout_establishing_connection": "Bağlantı kurulurken zaman aşımı",
+ "link_google_account": "Google Hesabını Bağla",
+ "path_is_not_allowed": "Yola izin verilmiyor",
+ "path_is_not_valid": "Yol geçerli değil",
+ "path_to_file": "Dosya yolu",
+ "pin_code": "PIN kodu",
+ "discovered_android_tv": "Android TV bulundu",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "Tüm varlıklar",
"hide_members": "Üyeleri gizle",
"create_group": "Grup Oluştur",
+ "device_class": "Device Class",
"ignore_non_numeric": "Sayısal olmayanları yoksay",
"data_round_digits": "Değeri ondalık sayıya yuvarla",
"binary_sensor_group": "İkili sensör grubu",
"button_group": "Düğme grubu",
"cover_group": "Kepenk grubu",
"event_group": "Etkinlik grubu",
- "fan_group": "Fan grubu",
- "light_group": "Işık grubu",
"lock_group": "Grubu kilitle",
"media_player_group": "Medya oynatıcı grubu",
"notify_group": "Grubu bilgilendir",
"sensor_group": "Sensör grubu",
"switch_group": "Grubu değiştir",
- "abort_api_error": "SwitchBot API'si ile iletişim kurulurken hata oluştu: {error_detail}",
- "unsupported_switchbot_type": "Desteklenmeyen Switchbot Türü.",
- "authentication_failed_error_detail": "Kimlik doğrulama başarısız oldu: {error_detail}",
- "error_encryption_key_invalid": "Anahtar Kimliği veya Şifreleme anahtarı geçersiz",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot hesabı (önerilir)",
- "enter_encryption_key_manually": "Şifreleme anahtarını manuel olarak girin",
- "key_id": "Anahtar Kimliği",
- "password_description": "Yedeklemeyi korumak için parola.",
- "device_address": "Cihaz adresi",
- "cannot_connect_details_error_detail": "Bağlanamıyor. Ayrıntılar: {error_detail}",
- "unknown_details_error_detail": "Bilinmeyen. Ayrıntılar: {error_detail}",
- "uses_an_ssl_certificate": "SSL sertifikası kullanır",
+ "known_hosts": "Bilinen ana bilgisayarlar",
+ "google_cast_configuration": "Google Cast yapılandırması",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "MDNS özelliklerinde eksik MAC adresi.",
+ "abort_mqtt_missing_api": "MQTT özelliklerinde eksik API bağlantı noktası.",
+ "abort_mqtt_missing_ip": "MQTT özelliklerinde eksik IP adresi.",
+ "abort_mqtt_missing_mac": "MQTT özelliklerinde eksik MAC adresi.",
+ "missing_mqtt_payload": "Eksik MQTT Yükü.",
+ "action_received": "Eylem alındı",
+ "discovered_esphome_node": "ESPHome düğümü keşfedildi",
+ "bridge_is_already_configured": "Köprü zaten yapılandırılmış",
+ "no_deconz_bridges_discovered": "DeCONZ köprüsü bulunamadı",
+ "abort_no_hardware_available": "deCONZ'a bağlı radyo donanımı yok",
+ "abort_updated_instance": "DeCONZ yeni ana bilgisayar adresiyle güncelleştirildi",
+ "error_linking_not_possible": "Ağ geçidi ile bağlantı kurulamadı",
+ "error_no_key": "API anahtarı alınamadı",
+ "link_with_deconz": "deCONZ ile bağlantı",
+ "select_discovered_deconz_gateway": "Keşfedilen deCONZ ağ geçidini seçin",
+ "abort_missing_credentials": "Entegrasyon, uygulama kimlik bilgilerini gerektirir.",
+ "no_port_for_endpoint": "Uç nokta için bağlantı noktası yok",
+ "abort_no_services": "Uç noktada hizmet bulunamadı",
+ "discovered_wyoming_service": "Wyoming hizmetini keşfetti",
+ "ipv_is_not_supported": "IPv6 desteklenmiyor.",
+ "error_custom_port_not_supported": "Gen1 cihazı özel bağlantı noktasını desteklemez.",
+ "arm_away_action": "Uzakta alarm eylemi",
+ "arm_custom_bypass_action": "Özel bypass alarm eylemi",
+ "arm_home_action": "Ev alarm eylemi",
+ "arm_night_action": "Gece alarm eylemi",
+ "arm_vacation_action": "Tatil alarm eylemi",
+ "code_arm_required": "Alarm kodu gerekli",
+ "disarm_action": "Alarmı kaldır",
+ "trigger_action": "Tetikleyici eylem",
+ "value_template": "Değer şablonu",
+ "template_alarm_control_panel": "Şablon alarm kontrol paneli",
+ "state_template": "Durum şablonu",
+ "template_binary_sensor": "İkili sensör şablonu",
+ "actions_on_press": "Basış eylemleri",
+ "template_button": "Şablon düğmesi",
+ "template_image": "Şablon resmi",
+ "actions_on_set_value": "Ayarlanan değer üzerindeki eylemler",
+ "step_value": "Adım değeri",
+ "template_number": "Şablon numarası",
+ "available_options": "Mevcut seçenekler",
+ "actions_on_select": "Seçimdeki eylemler",
+ "template_select": "Şablon seçimi",
+ "template_sensor": "Şablon sensörü",
+ "actions_on_turn_off": "Kapatma eylemleri",
+ "actions_on_turn_on": "Açılıştaki eylemler",
+ "template_switch": "Şablon anahtarı",
+ "menu_options_alarm_control_panel": "Alarm kontrol paneli şablonu",
+ "template_a_binary_sensor": "İkili sensör şablonunu oluşturma",
+ "template_a_button": "Bir düğme şablonu",
+ "template_an_image": "Şablon ve resim",
+ "template_a_number": "Şablon bir sayı",
+ "template_a_select": "Bir seçimi şablonla",
+ "template_a_sensor": "Bir sensör şablonu",
+ "template_a_switch": "Bir şablon anahtarı",
+ "template_helper": "Şablon yardımcısı",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "Bu cihaz bir zha cihazı değil",
+ "abort_usb_probe_failed": "USB aygıtı araştırılamadı",
+ "invalid_backup_json": "Geçersiz yedek JSON",
+ "choose_an_automatic_backup": "Otomatik bir yedekleme seçin",
+ "restore_automatic_backup": "Otomatik Yedeklemeyi Geri Yükle",
+ "choose_formation_strategy_description": "Radyonuz için ağ ayarlarını seçin.",
+ "restore_an_automatic_backup": "Otomatik yedeklemeyi geri yükleyin",
+ "create_a_network": "Bir ağ oluştur",
+ "keep_radio_network_settings": "Radyo ağı ayarlarını koru",
+ "upload_a_manual_backup": "Manuel Yedekleme Yükleyin",
+ "network_formation": "Ağ Oluşumu",
+ "serial_device_path": "Seri cihaz yolu",
+ "select_a_serial_port": "Seri Bağlantı Noktası Seçin",
+ "radio_type": "Radyo Tipi",
+ "manual_pick_radio_type_description": "Zigbee radyo tipinizi seçin",
+ "port_speed": "Bağlantı noktası hızı",
+ "data_flow_control": "Veri akışı kontrolü",
+ "manual_port_config_description": "Seri bağlantı noktası ayarlarını girin",
+ "serial_port_settings": "Seri Bağlantı Noktası Ayarları",
+ "data_overwrite_coordinator_ieee": "Radyo IEEE adresini kalıcı olarak değiştirin",
+ "overwrite_radio_ieee_address": "Radyo IEEE Adresinin Üzerine Yaz",
+ "upload_a_file": "Bir dosya yükleyin",
+ "radio_is_not_recommended": "Radyo tavsiye edilmez",
+ "invalid_ics_file": "Geçersiz .ics dosyası",
+ "calendar_name": "Takvim Adı",
+ "starting_data": "Başlangıç Verileri",
+ "zha_alarm_options_alarm_arm_requires_code": "Kurma eylemleri için gerekli kod",
+ "zha_alarm_options_alarm_master_code": "Alarm kontrol panel(ler)i için ana kod",
+ "alarm_control_panel_options": "Alarm Kontrol Paneli Seçenekleri",
+ "zha_options_consider_unavailable_battery": "Pille çalışan aygıtların kullanılamadığını göz önünde bulundurun (saniye)",
+ "zha_options_consider_unavailable_mains": "Şebekeyle çalışan aygıtların kullanılamadığını göz önünde bulundurun (saniye)",
+ "zha_options_default_light_transition": "Varsayılan ışık geçiş süresi (saniye)",
+ "zha_options_group_members_assume_state": "Grup üyeleri grubun durumunu üstlenir",
+ "zha_options_light_transitioning_flag": "Işık geçişi sırasında gelişmiş parlaklık kaydırıcısını etkinleştirin",
+ "global_options": "Genel Seçenekler",
+ "force_nightlatch_operation_mode": "Force Nightlatch çalışma modu",
+ "retry_count": "Yeniden deneme sayısı",
+ "data_process": "Sensör(ler) olarak eklenecek işlemler",
+ "invalid_url": "Geçersiz URL",
+ "data_browse_unfiltered": "Tarama sırasında uyumsuz medyayı göster",
+ "event_listener_callback_url": "Olay dinleyici geri çağırma URL'si",
+ "data_listen_port": "Olay dinleyici bağlantı noktası (ayarlanmamışsa rastgele)",
+ "poll_for_device_availability": "Cihaz kullanılabilirliği için anket",
+ "init_title": "DLNA Dijital Medya İşleyici yapılandırması",
+ "broker_options": "Broker seçenekleri",
+ "enable_birth_message": "Doğum mesajını etkinleştir",
+ "birth_message_payload": "Doğum mesajı yüklü",
+ "birth_message_qos": "Doğum mesajı QoS",
+ "birth_message_retain": "Doğum mesajı saklama",
+ "birth_message_topic": "Doğum mesajı konusu",
+ "enable_discovery": "Keşfetmeyi etkinleştir",
+ "discovery_prefix": "Keşif öneki",
+ "enable_will_message": "Etkinleştir iletisi",
+ "will_message_payload": "İleti yüklü",
+ "will_message_qos": "QoS mesajı gönderecek",
+ "will_message_retain": "Mesaj korunacak mı",
+ "will_message_topic": "Mesaj konusu olacak",
+ "data_description_discovery": "MQTT otomatik keşfini etkinleştirme seçeneği.",
+ "mqtt_options": "MQTT seçenekleri",
+ "passive_scanning": "Pasif tarama",
+ "protocol": "Protokol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Dil kodu",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "data_app_delete": "Bu uygulamayı silmek için işaretleyin",
+ "application_icon": "Uygulama simgesi",
+ "application_name": "Uygulama adı",
+ "configure_application_id_app_id": "Uygulama kimliğini {app_id} yapılandırın",
+ "configure_android_apps": "Android uygulamalarını yapılandırın",
+ "configure_applications_list": "Uygulamalar listesini yapılandır",
"ignore_cec": "CEC'yi yoksay",
"allowed_uuids": "İzin verilen UUID'ler",
"advanced_google_cast_configuration": "Gelişmiş Google Cast yapılandırması",
+ "allow_deconz_clip_sensors": "deCONZ CLIP sensörlerine izin ver",
+ "allow_deconz_light_groups": "deCONZ ışık gruplarına izin ver",
+ "data_allow_new_devices": "Yeni cihazların otomatik eklenmesine izin ver",
+ "deconz_devices_description": "deCONZ cihaz türlerinin görünürlüğünü yapılandırın",
+ "deconz_options": "deCONZ seçenekleri",
+ "select_test_server": "Test sunucusunu seçin",
+ "data_calendar_access": "Google Takvim'e Home Assistant erişimi",
+ "bluetooth_scanner_mode": "Bluetooth tarayıcı modu",
"device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
"not_supported": "Not Supported",
"localtuya_configuration": "LocalTuya Configuration",
@@ -2428,10 +2766,9 @@
"data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
"data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
"data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
"configure_tuya_device": "Configure Tuya device",
"configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Cihaz Kimliği",
+ "device_id": "Device ID",
"local_key": "Local key",
"protocol_version": "Protocol Version",
"data_entities": "Entities (uncheck an entity to remove it)",
@@ -2500,92 +2837,13 @@
"enable_heuristic_action_optional": "Enable heuristic action (optional)",
"data_dps_default_value": "Default value when un-initialised (optional)",
"minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Google Takvim'e Home Assistant erişimi",
- "data_process": "Sensör(ler) olarak eklenecek işlemler",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Pasif tarama",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker seçenekleri",
- "enable_birth_message": "Doğum mesajını etkinleştir",
- "birth_message_payload": "Doğum mesajı yüklü",
- "birth_message_qos": "Doğum mesajı QoS",
- "birth_message_retain": "Doğum mesajı saklama",
- "birth_message_topic": "Doğum mesajı konusu",
- "enable_discovery": "Keşfetmeyi etkinleştir",
- "discovery_prefix": "Keşif öneki",
- "enable_will_message": "Etkinleştir iletisi",
- "will_message_payload": "İleti yüklü",
- "will_message_qos": "QoS mesajı gönderecek",
- "will_message_retain": "Mesaj korunacak mı",
- "will_message_topic": "Mesaj konusu olacak",
- "data_description_discovery": "MQTT otomatik keşfini etkinleştirme seçeneği.",
- "mqtt_options": "MQTT seçenekleri",
"data_allow_nameless_uuids": "Şu anda izin verilen UUID'ler. Kaldırmak için işareti kaldırın",
"data_new_uuid": "İzin verilen yeni bir UUID girin",
- "allow_deconz_clip_sensors": "deCONZ CLIP sensörlerine izin ver",
- "allow_deconz_light_groups": "deCONZ ışık gruplarına izin ver",
- "data_allow_new_devices": "Yeni cihazların otomatik eklenmesine izin ver",
- "deconz_devices_description": "deCONZ cihaz türlerinin görünürlüğünü yapılandırın",
- "deconz_options": "deCONZ seçenekleri",
- "data_app_delete": "Bu uygulamayı silmek için işaretleyin",
- "application_icon": "Application icon",
- "application_name": "Application name",
- "configure_application_id_app_id": "Configure application ID {app_id}",
- "configure_android_apps": "Configure Android apps",
- "configure_applications_list": "Uygulamalar listesini yapılandır",
- "invalid_url": "Geçersiz URL",
- "data_browse_unfiltered": "Tarama sırasında uyumsuz medyayı göster",
- "event_listener_callback_url": "Olay dinleyici geri çağırma URL'si",
- "data_listen_port": "Olay dinleyici bağlantı noktası (ayarlanmamışsa rastgele)",
- "poll_for_device_availability": "Cihaz kullanılabilirliği için anket",
- "init_title": "DLNA Dijital Medya İşleyici yapılandırması",
- "protocol": "Protokol",
- "language_code": "Dil kodu",
- "bluetooth_scanner_mode": "Bluetooth tarayıcı modu",
- "force_nightlatch_operation_mode": "Force Nightlatch çalışma modu",
- "retry_count": "Yeniden deneme sayısı",
- "select_test_server": "Test sunucusunu seçin",
- "toggle_entity_name": "{entity_name} değiştir",
- "close_entity_name": "{entity_name} kapat",
- "open_entity_name": "{entity_name} açın",
- "entity_name_is_off": "{entity_name} kapalı",
- "entity_name_is_on": "{entity_name} açık",
- "trigger_type_changed_states": "{entity_name} açıldı veya kapatıldı",
- "entity_name_closed": "{entity_name} kapatıldı",
- "entity_name_opened": "{entity_name} açıldı",
+ "reconfigure_zha": "ZHA'yı yeniden yapılandırın",
+ "unplug_your_old_radio": "Eski radyonuzu çıkartın",
+ "intent_migrate_title": "Yeni bir radyoya geçiş yapın",
+ "re_configure_the_current_radio": "Mevcut radyoyu yeniden yapılandırın",
+ "migrate_or_re_configure": "Taşıma veya yeniden yapılandırma",
"current_entity_name_apparent_power": "Mevcut {entity_name} görünür güç",
"condition_type_is_aqi": "Mevcut {entity_name} hava kalitesi endeksi",
"current_entity_name_area": "Mevcut {entity_name} alanı",
@@ -2680,14 +2938,71 @@
"entity_name_water_changes": "{entity_name} su değişimi",
"entity_name_weight_changes": "{entity_name} ağırlık değişiklikleri",
"entity_name_wind_speed_changes": "{entity_name} rüzgar hızı değişiklikleri",
+ "decrease_entity_name_brightness": "{entity_name} parlaklığını azalt",
+ "increase_entity_name_brightness": "{entity_name} parlaklığını artırın",
+ "flash_entity_name": "Flaş {entity_name}",
+ "toggle_entity_name": "{entity_name} değiştir",
+ "close_entity_name": "{entity_name} kapat",
+ "open_entity_name": "{entity_name} açın",
+ "entity_name_is_off": "{entity_name} kapalı",
+ "entity_name_is_on": "{entity_name} açık",
+ "flash": "Flaş",
+ "trigger_type_changed_states": "{entity_name} açıldı veya kapatıldı",
+ "entity_name_closed": "{entity_name} kapatıldı",
+ "entity_name_opened": "{entity_name} açıldı",
+ "set_value_for_entity_name": "{entity_name} için değer ayarlayın",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} güncellemesinin kullanılabilirliği değişti",
+ "entity_name_became_up_to_date": "{entity_name} güncellendi",
+ "trigger_type_update": "{entity_name} bir güncelleme aldı",
+ "first_button": "İlk düğme",
+ "second_button": "İkinci düğme",
+ "third_button": "Üçüncü düğme",
+ "fourth_button": "Dördüncü düğme",
+ "fifth_button": "Beşinci düğme",
+ "sixth_button": "Altıncı düğme",
+ "subtype_double_clicked": "\" {subtype} \" çift tıklandı",
+ "subtype_continuously_pressed": "\" {subtype} \" sürekli olarak basıldı",
+ "trigger_type_button_long_release": "\" {subtype} \" uzun basıştan sonra çıktı",
+ "subtype_quadruple_clicked": "\" {subtype} \" dört kez tıklandı",
+ "subtype_quintuple_clicked": "\" {subtype} \" beş kez tıklandı",
+ "subtype_pressed": "\" {subtype} \" basıldı",
+ "subtype_released": "\" {subtype} \" yayınlandı",
+ "subtype_triple_clicked": "\" {subtype} \" üç kez tıklandı",
+ "entity_name_is_home": "{entity_name} evde",
+ "entity_name_is_not_home": "{entity_name} evde değil",
+ "entity_name_enters_a_zone": "{entity_name} bir bölgeye girdi",
+ "entity_name_leaves_a_zone": "{entity_name} bir bölgeden ayrılıyor",
+ "press_entity_name_button": "{entity_name} düğmesine basın",
+ "entity_name_has_been_pressed": "{entity_name} tuşuna basıldı",
+ "let_entity_name_clean": "{entity_name} temizle",
+ "action_type_dock": "{entity_name} şarj istasyonuna dönsün",
+ "entity_name_is_cleaning": "{entity_name} temizliyor",
+ "entity_name_docked": "{entity_name} şarj istasyonunda",
+ "entity_name_started_cleaning": "{entity_name} temizlemeye başladı",
+ "send_a_notification": "Bildirim gönder",
+ "lock_entity_name": "{entity_name} kilitle",
+ "unlock_entity_name": "{entity_name} kilidini açı",
+ "entity_name_is_locked": "{entity_name} kilitli",
+ "entity_name_unlocked": "{entity_name} kilidi açıldı",
+ "entity_name_locked": "{entity_name} kilitlendi",
"action_type_set_hvac_mode": "{entity_name} üzerinde HVAC modunu değiştir",
"change_preset_on_entity_name": "{entity_name} üzerindeki ön ayarı değiştir",
"hvac_mode": "HVAC modu",
"entity_name_measured_humidity_changed": "{entity_name} ölçülen nem değişti",
"entity_name_measured_temperature_changed": "{entity_name} ölçülen sıcaklık değişti",
"entity_name_hvac_mode_changed": "{entity_name} HVAC modu değişti",
- "set_value_for_entity_name": "{entity_name} için değer belirleyin",
- "value": "Değer",
+ "close_entity_name_tilt": "{entity_name} eğimini kapat",
+ "open_entity_name_tilt": "{entity_name} eğimini aç",
+ "set_entity_name_position": "{entity_name} konumunu ayarla",
+ "set_entity_name_tilt_position": "{entity_name} eğim konumunu ayarla",
+ "stop_entity_name": "{entity_name} durdur",
+ "entity_name_closing": "{entity_name} kapanıyor",
+ "entity_name_opening": "{entity_name} açılıyor",
+ "current_entity_name_position_is": "Geçerli {entity_name} konumu:",
+ "condition_type_is_tilt_position": "Geçerli {entity_name} eğim konumu:",
+ "entity_name_position_changes": "{entity_name} konum değişiklikleri",
+ "entity_name_tilt_position_changes": "{entity_name} eğim konumu değişiklikleri",
"entity_name_battery_is_low": "{entity_name} pili zayıf",
"entity_name_charging": "{entity_name} şarj oluyor",
"condition_type_is_co": "{entity_name} karbon monoksit algılıyor",
@@ -2696,7 +3011,6 @@
"entity_name_is_detecting_gas": "{entity_name} gaz algılıyor",
"entity_name_is_hot": "{entity_name} sıcak",
"entity_name_is_detecting_light": "{entity_name} ışık algılıyor",
- "entity_name_is_locked": "{entity_name} kilitli",
"entity_name_is_moist": "{entity_name} nemli",
"entity_name_is_detecting_motion": "{entity_name} hareket algılıyor",
"entity_name_is_moving": "{entity_name} taşınıyor",
@@ -2714,7 +3028,6 @@
"entity_name_is_not_cold": "{entity_name} soğuk değil",
"entity_name_disconnected": "{entity_name} bağlantısı kesildi",
"entity_name_is_not_hot": "{entity_name} sıcak değil",
- "entity_name_unlocked": "{entity_name} kilidi açıldı",
"entity_name_is_dry": "{entity_name} kuru",
"entity_name_is_not_moving": "{entity_name} hareket etmiyor",
"entity_name_is_not_occupied": "{entity_name} meşgul değil",
@@ -2743,7 +3056,6 @@
"entity_name_started_detecting_gas": "{entity_name} gaz algılamaya başladı",
"entity_name_became_hot": "{entity_name} ısındı",
"entity_name_started_detecting_light": "{entity_name} ışığı algılamaya başladı",
- "entity_name_locked": "{entity_name} kilitlendi",
"entity_name_became_moist": "{entity_name} nemli oldu",
"entity_name_started_detecting_motion": "{entity_name} hareket algılamaya başladı",
"entity_name_started_moving": "{entity_name} taşınmaya başladı",
@@ -2754,7 +3066,6 @@
"entity_name_stopped_detecting_problem": "{entity_name} sorunu algılamayı durdurdu",
"entity_name_stopped_detecting_smoke": "{entity_name} duman algılamayı durdurdu",
"entity_name_stopped_detecting_sound": "{entity_name} ses algılamayı durdurdu",
- "entity_name_became_up_to_date": "{entity_name} güncellendi",
"entity_name_stopped_detecting_vibration": "{entity_name} titreşimi algılamayı durdurdu",
"entity_name_battery_normal": "{entity_name} pil normal",
"entity_name_became_not_cold": "{entity_name} soğuk olmadı",
@@ -2772,7 +3083,6 @@
"entity_name_started_detecting_sound": "{entity_name} sesi algılamaya başladı",
"entity_name_started_detecting_tampering": "{entity_name} , kurcalamayı algılamaya başladı",
"entity_name_became_unsafe": "{entity_name} güvensiz hale geldi",
- "trigger_type_update": "{entity_name} bir güncelleme aldı",
"entity_name_started_detecting_vibration": "{entity_name} , titreşimi algılamaya başladı",
"entity_name_is_buffering": "{entity_name} arabelleğe alıyor",
"entity_name_is_idle": "{entity_name} boşta",
@@ -2780,30 +3090,6 @@
"entity_name_is_playing": "{entity_name} oynatılıyor",
"entity_name_starts_buffering": "{entity_name} arabelleğe almaya başlar",
"entity_name_starts_playing": "{entity_name} oynamaya başlar",
- "entity_name_is_home": "{entity_name} evde",
- "entity_name_is_not_home": "{entity_name} evde değil",
- "entity_name_enters_a_zone": "{entity_name} bir bölgeye girdi",
- "entity_name_leaves_a_zone": "{entity_name} bir bölgeden ayrılıyor",
- "decrease_entity_name_brightness": "{entity_name} parlaklığını azalt",
- "increase_entity_name_brightness": "{entity_name} parlaklığını artırın",
- "flash_entity_name": "Flaş {entity_name}",
- "flash": "Flaş",
- "entity_name_update_availability_changed": "{entity_name} güncellemesinin kullanılabilirliği değişti",
- "arm_entity_name_away": "{entity_name} Uzakta Alarm",
- "arm_entity_name_home": "{entity_name} Evde Alarm",
- "arm_entity_name_night": "{entity_name} Gece Alarm",
- "arm_entity_name_vacation": "{entity_name} Alarm - Tatil Modu",
- "disarm_entity_name": "Devre dışı {entity_name}",
- "trigger_entity_name": "Tetikle {entity_name}",
- "entity_name_armed_away": "{entity_name} Dışarda Modu Aktif",
- "entity_name_armed_home": "{entity_name} Evde Modu Aktif",
- "entity_name_armed_night": "{entity_name} Gece Modu Aktif",
- "entity_name_is_armed_vacation": "{entity_name} Alarm açık - Tatil Modu",
- "entity_name_disarmed": "{entity_name} Devre Dışı",
- "entity_name_triggered": "{entity_name} tetiklendi",
- "entity_name_armed_vacation": "{entity_name} Alarm Tatil Modunda",
- "press_entity_name_button": "{entity_name} düğmesine basın",
- "entity_name_has_been_pressed": "{entity_name} tuşuna basıldı",
"action_type_select_first": "{entity_name} ilk seçeneğe değiştirin",
"action_type_select_last": "{entity_name} öğesini son seçeneğe değiştirin",
"action_type_select_next": "{entity_name} öğesini sonraki seçeneğe değiştir",
@@ -2811,31 +3097,6 @@
"action_type_select_previous": "{entity_name} önceki seçeneğe değiştir",
"current_entity_name_selected_option": "Geçerli {entity_name} seçili seçenek",
"entity_name_option_changed": "{entity_name} seçeneği değişti",
- "close_entity_name_tilt": "{entity_name} eğimini kapat",
- "open_entity_name_tilt": "{entity_name} eğimini aç",
- "set_entity_name_position": "{entity_name} konumunu ayarla",
- "set_entity_name_tilt_position": "{entity_name} eğim konumunu ayarla",
- "stop_entity_name": "{entity_name} durdur",
- "entity_name_closing": "{entity_name} kapanıyor",
- "entity_name_opening": "{entity_name} açılıyor",
- "current_entity_name_position_is": "Geçerli {entity_name} konumu:",
- "condition_type_is_tilt_position": "Geçerli {entity_name} eğim konumu:",
- "entity_name_position_changes": "{entity_name} konum değişiklikleri",
- "entity_name_tilt_position_changes": "{entity_name} eğim konumu değişiklikleri",
- "first_button": "İlk düğme",
- "second_button": "İkinci düğme",
- "third_button": "Üçüncü düğme",
- "fourth_button": "Dördüncü düğme",
- "fifth_button": "Beşinci düğme",
- "sixth_button": "Altıncı düğme",
- "subtype_double_clicked": "{subtype} çift tıklandı",
- "subtype_continuously_pressed": "\" {subtype} \" sürekli olarak basıldı",
- "trigger_type_button_long_release": "\" {subtype} \" uzun basıştan sonra çıktı",
- "subtype_quadruple_clicked": "\" {subtype} \" dört kez tıklandı",
- "subtype_quintuple_clicked": "\" {subtype} \" beş kez tıklandı",
- "subtype_pressed": "\" {subtype} \" basıldı",
- "subtype_released": "\" {subtype} \" yayınlandı",
- "subtype_triple_clicked": "{subtype} üç kez tıklandı",
"both_buttons": "Çift düğmeler",
"bottom_buttons": "Alt düğmeler",
"seventh_button": "Yedinci düğme",
@@ -2861,12 +3122,6 @@
"trigger_type_remote_rotate_from_side": "Cihaz \"yan 6\" \" {subtype} \" konumuna döndürüldü",
"device_turned_clockwise": "Cihaz saat yönünde döndü",
"device_turned_counter_clockwise": "Cihaz saat yönünün tersine döndü",
- "send_a_notification": "Bildirim gönder",
- "let_entity_name_clean": "{entity_name} temizle",
- "action_type_dock": "{entity_name} şarj istasyonuna dönsün",
- "entity_name_is_cleaning": "{entity_name} temizliyor",
- "entity_name_docked": "{entity_name} şarj istasyonunda",
- "entity_name_started_cleaning": "{entity_name} temizlemeye başladı",
"subtype_button_down": "{subtype} aşağı düğme",
"subtype_button_up": "{subtype} düğmesi yukarı",
"subtype_double_push": "{subtype} çift basma",
@@ -2877,28 +3132,49 @@
"trigger_type_single_long": "{subtype} tek tıklandı ve ardından uzun tıklandı",
"subtype_single_push": "{subtype} tek basma",
"subtype_triple_push": "{subtype} üçlü itme",
- "lock_entity_name": "{entity_name} kilitle",
- "unlock_entity_name": "{entity_name} kilidini açı",
+ "arm_entity_name_away": "{entity_name} Uzakta Alarm",
+ "arm_entity_name_home": "{entity_name} Evde Alarm",
+ "arm_entity_name_night": "{entity_name} Gece Alarm",
+ "arm_entity_name_vacation": "{entity_name} Alarm - Tatil Modu",
+ "disarm_entity_name": "Devre dışı {entity_name}",
+ "trigger_entity_name": "Tetikle {entity_name}",
+ "entity_name_armed_away": "{entity_name} Dışarda Modu Aktif",
+ "entity_name_armed_home": "{entity_name} Evde Modu Aktif",
+ "entity_name_armed_night": "{entity_name} Gece Modu Aktif",
+ "entity_name_is_armed_vacation": "{entity_name} Alarm açık - Tatil Modu",
+ "entity_name_disarmed": "{entity_name} Devre Dışı",
+ "entity_name_triggered": "{entity_name} tetiklendi",
+ "entity_name_armed_vacation": "{entity_name} Alarm Tatil Modunda",
+ "action_type_issue_all_led_effect": "Tüm LED'ler için sorun efekti",
+ "action_type_issue_individual_led_effect": "Bireysel LED için sorun efekti",
+ "squawk": "Squawk",
+ "warn": "Uyarmak",
+ "color_hue": "Renk tonu",
+ "duration_in_seconds": "Saniye cinsinden süre",
+ "effect_type": "Efekt türü",
+ "led_number": "LED numarası",
+ "with_face_activated": "Yüz 6 etkinleştirildiğinde",
+ "with_any_specified_face_s_activated": "Herhangi bir/belirtilen yüz(ler) etkinleştirildiğinde",
+ "device_dropped": "Cihaz düştü",
+ "device_flipped_subtype": "Aygıt çevrilmiş \"{subtype}\"",
+ "device_knocked_subtype": "Cihaz \" {subtype} \" öğesini çaldı",
+ "device_offline": "Cihaz çevrimdışı",
+ "device_rotated_subtype": "Cihaz döndürüldü \" {subtype} \"",
+ "device_slid_subtype": "Cihaz kaydırdı \" {subtype} \"",
+ "device_tilted": "Cihaz eğik",
+ "trigger_type_remote_button_alt_double_press": "\" {subtype} \" çift tıklandı (Alternatif mod)",
+ "trigger_type_remote_button_alt_long_press": "\" {subtype} \" sürekli basıldı (Alternatif mod)",
+ "trigger_type_remote_button_alt_long_release": "\" {subtype} \" uzun süre basıldıktan sonra serbest bırakılır (Alternatif mod)",
+ "trigger_type_remote_button_alt_quadruple_press": "\" {subtype} \" dört kez tıklandı (Alternatif mod)",
+ "trigger_type_remote_button_alt_quintuple_press": "\" {subtype} \" beş kat tıklandı (Alternatif mod)",
+ "subtype_pressed_alternate_mode": "\" {subtype} \" basıldı (Alternatif mod)",
+ "subtype_released_alternate_mode": "\" {subtype} \" yayınlandı (Alternatif mod)",
+ "trigger_type_remote_button_alt_triple_press": "\" {subtype} \" üç kez tıklandı (Alternatif mod)",
"add_to_queue": "Kuyruğa ekle",
"play_next": "Sonraki oynat",
"options_replace": "Şimdi oyna ve kuyruğu temizle",
"repeat_all": "Tümünü tekrarla",
"repeat_one": "Bir kez tekrarla",
- "no_code_format": "Kod formatı yok",
- "no_unit_of_measurement": "Ölçü birimi yok",
- "critical": "Kritik",
- "debug": "Hata ayıklama",
- "warning": "Uyarı",
- "create_an_empty_calendar": "Boş bir takvim oluştur",
- "options_import_ics_file": "Bir iCalendar dosyası (.ics) yükleyin",
- "passive": "Pasif",
- "most_recently_updated": "En son güncellenen",
- "arithmetic_mean": "Aritmetik ortalama",
- "median": "Medyan",
- "product": "Ürün",
- "statistical_range": "İstatistiksel aralık",
- "standard_deviation": "Standart sapma",
- "fatal": "Ölümcül",
"alice_blue": "Alice mavisi",
"antique_white": "Antik beyaz",
"aquamarine": "Akuamarin",
@@ -3018,52 +3294,21 @@
"wheat": "Buğday",
"white_smoke": "Beyaz duman",
"yellow_green": "Sarı yeşili",
- "sets_the_value": "Değeri ayarlar.",
- "the_target_value": "Hedef değer.",
- "command": "Komut",
- "device_description": "Komutun gönderileceği cihaz kimliği.",
- "delete_command": "Komutu sil",
- "alternative": "Alternatif",
- "command_type_description": "Öğrenilecek komut türü.",
- "command_type": "Komut türü",
- "timeout_description": "Öğrenilecek komut için zaman aşımı.",
- "learn_command": "Komut öğren",
- "delay_seconds": "Gecikme saniyeleri",
- "hold_seconds": "Saniye tutun",
- "repeats": "Tekrarlar",
- "send_command": "Komut gönder",
- "sends_the_toggle_command": "Geçiş komutunu gönderir.",
- "turn_off_description": "Bir veya daha fazla ışığı kapatın.",
- "turn_on_description": "Yeni bir temizlik görevi başlatır.",
- "set_datetime_description": "Tarihi ve/veya saati ayarlar.",
- "the_target_date": "Hedef tarih.",
- "datetime_description": "Hedef tarih ve saat.",
- "date_time": "Tarih ve saat",
- "the_target_time": "Hedef zaman.",
- "creates_a_new_backup": "Yeni bir yedek oluşturur.",
- "apply_description": "Yapılandırma ile bir sahneyi etkinleştirir.",
- "entities_description": "Varlıkların ve hedef durumlarının listesi.",
- "entities_state": "Varlıkların durumu",
- "transition": "Geçiş",
- "apply": "Uygula",
- "creates_a_new_scene": "Yeni bir sahne oluşturur.",
- "scene_id_description": "Yeni sahnenin varlık kimliği.",
- "scene_entity_id": "Sahne varlığı kimliği",
- "snapshot_entities": "Anlık görüntü varlıkları",
- "delete_description": "Dinamik olarak oluşturulmuş bir sahneyi siler.",
- "activates_a_scene": "Bir sahneyi etkinleştirir.",
- "closes_a_valve": "Bir vanayı kapatır.",
- "opens_a_valve": "Bir vana açar.",
- "set_valve_position_description": "Bir vanay belirli bir konuma hareket ettirir.",
- "target_position": "Hedef pozisyon.",
- "set_position": "Pozisyonu ayarla",
- "stops_the_valve_movement": "Vana hareketini durdurur.",
- "toggles_a_valve_open_closed": "Bir vanayı açık/kapalı duruma getirir.",
- "dashboard_path": "Pano yolu",
- "view_path": "Yolu görüntüle",
- "show_dashboard_view": "Pano görünümünü göster",
- "finish_description": "Çalışan bir zamanlayıcıyı planlanandan daha erken bitirir.",
- "duration_description": "Zamanlayıcıyı yeniden başlatmak için özel süre.",
+ "critical": "Kritik",
+ "debug": "Hata ayıklama",
+ "warning": "Uyarı",
+ "passive": "Pasif",
+ "no_code_format": "Kod formatı yok",
+ "no_unit_of_measurement": "Ölçü birimi yok",
+ "fatal": "Ölümcül",
+ "most_recently_updated": "En son güncellenen",
+ "arithmetic_mean": "Aritmetik ortalama",
+ "median": "Medyan",
+ "product": "Ürün",
+ "statistical_range": "İstatistiksel aralık",
+ "standard_deviation": "Standart sapma",
+ "create_an_empty_calendar": "Boş bir takvim oluştur",
+ "options_import_ics_file": "Bir iCalendar dosyası (.ics) yükleyin",
"sets_a_random_effect": "Rastgele bir etki ayarlar.",
"sequence_description": "HSV dizilerinin listesi (Maks. 16).",
"backgrounds": "Arka Planlar",
@@ -3080,111 +3325,22 @@
"saturation_range": "Doygunluk aralığı",
"segments_description": "Segmentlerin Listesi (tümü için 0).",
"segments": "Segmentler",
+ "transition": "Geçiş",
"range_of_transition": "Geçiş aralığı.",
"transition_range": "Geçiş aralığı",
"random_effect": "Rastgele efekt",
"sets_a_sequence_effect": "Bir dizi efekti ayarlar.",
"repetitions_for_continuous": "Tekrarlar (sürekli için 0).",
+ "repeats": "Tekrarlar",
"sequence": "Sıra",
"speed_of_spread": "Yayılma hızı.",
- "spread": "Yayılma",
- "sequence_effect": "Dizi efekti",
- "check_configuration": "Yapılandırmayı kontrol edin",
- "reload_all": "Tümünü yeniden yükle",
- "reload_config_entry_description": "Belirtilen yapılandırma girişini yeniden yükler.",
- "config_entry_id": "Yapılandırma girişi kimliği",
- "reload_config_entry": "Yapılandırma girişini yeniden yükle",
- "reload_core_config_description": "Çekirdek yapılandırmayı YAML yapılandırmasından yeniden yükler.",
- "reload_core_configuration": "Çekirdek yapılandırmasını yeniden yükle",
- "reload_custom_jinja_templates": "Özel Jinja2 şablonlarını yeniden yükleyin",
- "restarts_home_assistant": "Home Assistant'ı yeniden başlatır.",
- "safe_mode_description": "Özel entegrasyonları ve özel kartları devre dışı bırakın.",
- "save_persistent_states": "Kalıcı durumları kaydetme",
- "set_location_description": "Home Asistanı konumunu günceller.",
- "elevation_description": "Bulunduğunuz yerin deniz seviyesinden yüksekliği.",
- "latitude_of_your_location": "Bulunduğunuz yerin enlemi.",
- "longitude_of_your_location": "Bulunduğunuz yerin boylamı.",
- "set_location": "Konumu ayarla",
- "stops_home_assistant": "Home Assistant'ı durdurur.",
- "generic_toggle": "Genel geçiş",
- "generic_turn_off": "Genel kapatma",
- "generic_turn_on": "Genel açma",
- "entity_id_description": "Kayıt defteri girişinde referans verilecek varlık.",
- "entities_to_update": "Güncellenecek varlıklar",
- "update_entity": "Varlığı güncelle",
- "turns_auxiliary_heater_on_off": "Yardımcı ısıtıcıyı açar/kapatır.",
- "aux_heat_description": "Yardımcı ısıtıcının yeni değeri.",
- "auxiliary_heating": "Yardımcı ısıtma",
- "turn_on_off_auxiliary_heater": "Yardımcı ısıtıcıyı açma/kapatma",
- "sets_fan_operation_mode": "Fan çalışma modunu ayarlar.",
- "fan_operation_mode": "Fan çalışma modu.",
- "set_fan_mode": "Fan modunu ayarla",
- "sets_target_humidity": "Hedef nemi ayarlar.",
- "set_target_humidity": "Hedef nemi ayarla",
- "sets_hvac_operation_mode": "HVAC çalışma modunu ayarlar.",
- "hvac_operation_mode": "HVAC çalışma modu.",
- "set_hvac_mode": "HVAC modunu ayarla",
- "sets_preset_mode": "Ön ayar modunu ayarlar.",
- "set_preset_mode": "Ön ayar modunu ayarla",
- "set_swing_horizontal_mode_description": "Yatay salınım çalışma modunu ayarlar.",
- "horizontal_swing_operation_mode": "Yatay salınım çalışma modu.",
- "set_horizontal_swing_mode": "Yatay salınım modunu ayarlayın",
- "sets_swing_operation_mode": "Salınım çalışma modunu ayarlar.",
- "swing_operation_mode": "Kaydırma çalışma modu.",
- "set_swing_mode": "Salınım modunu ayarla",
- "sets_the_temperature_setpoint": "Sıcaklık ayar noktasını ayarlar.",
- "the_max_temperature_setpoint": "Maksimum sıcaklık ayar noktası.",
- "the_min_temperature_setpoint": "Minimum sıcaklık ayar noktası.",
- "the_temperature_setpoint": "Sıcaklık ayar noktası.",
- "set_target_temperature": "Hedef sıcaklığı ayarla",
- "turns_climate_device_off": "Klima cihazını kapatır.",
- "turns_climate_device_on": "Klima cihazını açar.",
- "decrement_description": "Geçerli değeri 1 adım azaltır.",
- "increment_description": "Mevcut değeri 1 adım artırır.",
- "reset_description": "Bir sayacı başlangıç değerine sıfırlar.",
- "set_value_description": "Bir sayının değerini ayarlar.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Yapılandırma parametresinin değeri.",
- "clear_playlist_description": "Çalma listesindeki tüm öğeleri kaldırır.",
- "clear_playlist": "Çalma listesini temizle",
- "selects_the_next_track": "Sonraki parçayı seçer.",
- "pauses": "Duraklar.",
- "starts_playing": "Oynamaya başlar.",
- "toggles_play_pause": "Oynat/duraklat arasında geçiş yapar.",
- "selects_the_previous_track": "Bir önceki parçayı seçer.",
- "seek": "Arayın",
- "stops_playing": "Çalmayı durdurur.",
- "starts_playing_specified_media": "Belirtilen medyayı oynatmaya başlar.",
- "announce": "Duyuru",
- "enqueue": "Sıraya almak",
- "repeat_mode_to_set": "Ayarlanacak tekrar modu.",
- "select_sound_mode_description": "Belirli bir ses modunu seçer.",
- "select_sound_mode": "Ses modunu seçin",
- "select_source": "Kaynak seçin",
- "shuffle_description": "Karıştırma modunun etkin olup olmadığı.",
- "toggle_description": "Elektrikli süpürgeyi açar/kapatır.",
- "unjoin": "Ayrılma",
- "turns_down_the_volume": "Sesi kısar.",
- "turn_down_volume": "Sesi kısın",
- "volume_mute_description": "Medya yürütücünün sesini kapatır veya açar.",
- "is_volume_muted_description": "Sessize alınıp alınmayacağını tanımlar.",
- "mute_unmute_volume": "Sesi kapat/aç",
- "sets_the_volume_level": "Ses seviyesini ayarlar.",
- "level": "Düzey",
- "set_volume": "Ses seviyesini ayarla",
- "turns_up_the_volume": "Ses seviyesini yükseltir.",
- "turn_up_volume": "Sesi açın",
- "battery_description": "Cihazın pil seviyesi.",
- "gps_coordinates": "GPS koordinatları",
- "gps_accuracy_description": "GPS koordinatlarının doğruluğu.",
- "hostname_of_the_device": "Cihazın ana bilgisayar adı.",
- "hostname": "Ana bilgisayar adı",
- "mac_description": "Cihazın MAC adresi.",
- "see": "Gör",
+ "spread": "Yayılma",
+ "sequence_effect": "Dizi efekti",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Sireni açar/kapatır.",
+ "turns_the_siren_off": "Sireni kapatır.",
+ "turns_the_siren_on": "Sireni açar.",
"brightness_value": "Parlaklık değeri",
"a_human_readable_color_name": "İnsan tarafından okunabilen bir renk adı.",
"color_name": "Renk adı",
@@ -3197,25 +3353,70 @@
"rgbww_color": "RGBWW-renkli",
"white_description": "Işığı beyaz moda ayarlayın.",
"xy_color": "XY rengi",
+ "turn_off_description": "Kapatma komutunu gönderir.",
"brightness_step_description": "Parlaklığı bir miktar değiştirin.",
"brightness_step_value": "Parlaklık adım değeri",
"brightness_step_pct_description": "Parlaklığı yüzde olarak değiştirin.",
"brightness_step": "Parlaklık adımı",
- "add_event_description": "Yeni bir takvim etkinliği ekler.",
- "calendar_id_description": "İstediğiniz takvimin kimliği.",
- "calendar_id": "Takvim Kimliği",
- "description_description": "Etkinliğin açıklaması. İsteğe bağlı.",
- "summary_description": "Etkinliğin başlığı olarak işlev görür.",
- "location_description": "Etkinliğin yeri.",
- "create_event": "Etkinlik oluştur",
- "apply_filter": "Filtre uygula",
- "days_to_keep": "Saklanacak gün",
- "repack": "Yeniden Paketle",
- "purge": "Tasfiye",
- "domains_to_remove": "Kaldırılacak alanlar",
- "entity_globs_to_remove": "Kaldırılacak varlık küreleri",
- "entities_to_remove": "Kaldırılacak varlıklar",
- "purge_entities": "Varlıkları temizleyin",
+ "toggles_the_helper_on_off": "Yardımcıyı açar/kapatır.",
+ "turns_off_the_helper": "Yardımcıyı kapatır.",
+ "turns_on_the_helper": "Yardımcıyı açar.",
+ "pauses_the_mowing_task": "Biçme görevini duraklatır.",
+ "starts_the_mowing_task": "Biçme görevini başlatır.",
+ "creates_a_new_backup": "Yeni bir yedek oluşturur.",
+ "sets_the_value": "Değeri ayarlar.",
+ "enter_your_text": "Metninizi girin.",
+ "set_value": "Değer ayarla",
+ "clear_lock_user_code_description": "Bir kilitten bir kullanıcı kodunu siler.",
+ "code_slot_description": "Kodu ayarlamak için kod yuvası.",
+ "code_slot": "Kod yuvası",
+ "clear_lock_user": "Kilit kullanıcısını temizle",
+ "disable_lock_user_code_description": "Bir kilitteki kullanıcı kodunu devre dışı bırakır.",
+ "code_slot_to_disable": "Devre dışı bırakılacak kod yuvası.",
+ "disable_lock_user": "Kilit kullanıcısını devre dışı bırak",
+ "enable_lock_user_code_description": "Bir kilitte kullanıcı kodunu etkinleştirir.",
+ "code_slot_to_enable": "Etkinleştirilecek kod yuvası.",
+ "enable_lock_user": "Kilit kullanıcısını etkinleştir",
+ "args_description": "Komuta iletilecek bağımsız değişkenler.",
+ "args": "Argümanlar",
+ "cluster_id_description": "Öznitelikleri almak için ZCL kümesi.",
+ "cluster_id": "Küme Kimliği",
+ "type_of_the_cluster": "Kümenin türü.",
+ "cluster_type": "Küme Türü",
+ "command_description": "Google Asistan'a gönderilecek komut(lar).",
+ "command": "Komut",
+ "command_type_description": "Öğrenilecek komut türü.",
+ "command_type": "Komut türü",
+ "endpoint_id_description": "Küme için bitiş noktası kimliği.",
+ "endpoint_id": "Bitiş noktası kimliği",
+ "ieee_description": "Cihaz için IEEE adresi.",
+ "ieee": "IEEE",
+ "manufacturer": "Üretici",
+ "params_description": "Komuta iletilecek parametreler.",
+ "params": "Parametreler",
+ "issue_zigbee_cluster_command": "Zigbee küme komutunu yayınlayın",
+ "group_description": "Grubun onaltılık adresi.",
+ "issue_zigbee_group_command": "Zigbee grubu komutu ver",
+ "permit_description": "Düğümlerin Zigbee ağına katılmasına izin verir.",
+ "time_to_permit_joins": "Birleştirmelere izin verme zamanı.",
+ "install_code": "Kodu yükle",
+ "qr_code": "QR kodu",
+ "source_ieee": "Kaynak IEEE",
+ "permit": "İzin Belgesi",
+ "reconfigure_device": "Cihazı yeniden yapılandırın",
+ "remove_description": "Zigbee ağından bir düğümü kaldırır.",
+ "set_lock_user_code_description": "Bir kilide bir kullanıcı kodu ayarlar.",
+ "code_to_set": "Ayarlanacak kod.",
+ "set_lock_user_code": "Kilit kullanıcı kodunu ayarla",
+ "attribute_description": "Ayarlanacak özelliğin kimliği.",
+ "value_description": "Ayarlanacak hedef değer.",
+ "set_zigbee_cluster_attribute": "Zigbee küme özniteliğini ayarla",
+ "level": "Düzey",
+ "strobe": "Flaşör",
+ "warning_device_squawk": "Uyarı cihazı squawk",
+ "duty_cycle": "Görev döngüsü",
+ "intensity": "Yoğunluk",
+ "warning_device_starts_alert": "Uyarı cihazı alarm vermeye başlar",
"dump_log_objects": "Günlük nesnelerini dökümü",
"log_current_tasks_description": "Mevcut tüm eşzamansız görevleri günlüğe kaydeder.",
"log_current_asyncio_tasks": "Mevcut eşzamansız görevleri günlüğe kaydet",
@@ -3241,27 +3442,299 @@
"stop_logging_object_sources": "Nesne kaynaklarını günlüğe kaydetmeyi durdurma",
"stop_log_objects_description": "Bellekteki nesnelerin büyümesini günlüğe kaydetmeyi durdurur.",
"stop_logging_objects": "Nesneleri günlüğe kaydetmeyi durdurun",
+ "set_default_level_description": "Entegrasyonlar için varsayılan günlük düzeyini ayarlar.",
+ "level_description": "Tüm entegrasyonlar için varsayılan önem düzeyi.",
+ "set_default_level": "Varsayılan seviyeyi ayarla",
+ "set_level": "Seviyeyi ayarla",
+ "stops_a_running_script": "Çalışan bir komut dosyasını durdurur.",
+ "clear_skipped_update": "Atlanan güncellemeyi temizle",
+ "install_update": "Güncellemeyi yükle",
+ "skip_description": "Mevcut güncellemeyi atlandı olarak işaretler.",
+ "skip_update": "Güncellemeyi atla",
+ "decrease_speed_description": "Bir fanın hızını azaltır.",
+ "decrease_speed": "Hızı azalt",
+ "increase_speed_description": "Bir fanın hızını arttırır.",
+ "increase_speed": "Hızı artır",
+ "oscillate_description": "Bir fanın salınımını kontrol eder.",
+ "turns_oscillation_on_off": "Salınımı açar/kapatır.",
+ "set_direction_description": "Bir fanın dönüş yönünü ayarlar.",
+ "direction_description": "Fanın dönüş yönü.",
+ "set_direction": "Yönü ayarla",
+ "set_percentage_description": "Bir fanın hızını ayarlar.",
+ "speed_of_the_fan": "Fan hızı.",
+ "percentage": "Yüzde",
+ "set_speed": "Hız ayarla",
+ "sets_preset_fan_mode": "Önceden ayarlanmış fan modunu ayarlar.",
+ "preset_fan_mode": "Ön ayarlı fan modu.",
+ "set_preset_mode": "Ön ayar modunu ayarla",
+ "toggles_a_fan_on_off": "Bir fanı açıp kapatır.",
+ "turns_fan_off": "Fanı kapatır.",
+ "turns_fan_on": "Fanı açar.",
+ "set_datetime_description": "Tarihi ve/veya saati ayarlar.",
+ "the_target_date": "Hedef tarih.",
+ "datetime_description": "Hedef tarih ve saat.",
+ "date_time": "Tarih ve saat",
+ "the_target_time": "Hedef zaman.",
+ "log_description": "Kayıt defterinde özel bir giriş oluşturur.",
+ "entity_id_description": "Mesajı oynatmak için medya oynatıcılar.",
+ "message_description": "Bildirimin mesaj gövdesi.",
+ "request_sync_description": "Google'a bir request_sync komutu gönderir.",
+ "agent_user_id": "Aracı kullanıcı kimliği",
+ "request_sync": "Senkronizasyon iste",
+ "apply_description": "Yapılandırma ile bir sahneyi etkinleştirir.",
+ "entities_description": "Varlıkların ve hedef durumlarının listesi.",
+ "entities_state": "Varlıkların durumu",
+ "apply": "Uygula",
+ "creates_a_new_scene": "Yeni bir sahne oluşturur.",
+ "entity_states": "Entity states",
+ "scene_id_description": "Yeni sahnenin varlık kimliği.",
+ "scene_entity_id": "Sahne varlığı kimliği",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Dinamik olarak oluşturulmuş bir sahneyi siler.",
+ "activates_a_scene": "Bir sahneyi etkinleştirir.",
"reload_themes_description": "YAML yapılandırmasından temaları yeniden yükler.",
"reload_themes": "Temaları yeniden yükle",
"name_of_a_theme": "Bir temanın adı.",
"set_the_default_theme": "Varsayılan temayı ayarla",
+ "decrement_description": "Geçerli değeri 1 adım azaltır.",
+ "increment_description": "Mevcut değeri 1 adım artırır.",
+ "reset_description": "Bir sayacı başlangıç değerine sıfırlar.",
+ "set_value_description": "Bir sayının değerini ayarlar.",
+ "check_configuration": "Yapılandırmayı kontrol edin",
+ "reload_all": "Tümünü yeniden yükle",
+ "reload_config_entry_description": "Belirtilen yapılandırma girişini yeniden yükler.",
+ "config_entry_id": "Yapılandırma girişi kimliği",
+ "reload_config_entry": "Yapılandırma girişini yeniden yükle",
+ "reload_core_config_description": "Çekirdek yapılandırmayı YAML yapılandırmasından yeniden yükler.",
+ "reload_core_configuration": "Çekirdek yapılandırmasını yeniden yükle",
+ "reload_custom_jinja_templates": "Özel Jinja2 şablonlarını yeniden yükleyin",
+ "restarts_home_assistant": "Home Assistant'ı yeniden başlatır.",
+ "safe_mode_description": "Özel entegrasyonları ve özel kartları devre dışı bırakın.",
+ "save_persistent_states": "Kalıcı durumları kaydetme",
+ "set_location_description": "Home Asistanı konumunu günceller.",
+ "elevation_description": "Bulunduğunuz yerin deniz seviyesinden yüksekliği.",
+ "latitude_of_your_location": "Bulunduğunuz yerin enlemi.",
+ "longitude_of_your_location": "Bulunduğunuz yerin boylamı.",
+ "set_location": "Konumu ayarla",
+ "stops_home_assistant": "Home Assistant'ı durdurur.",
+ "generic_toggle": "Genel geçiş",
+ "generic_turn_off": "Genel kapatma",
+ "generic_turn_on": "Genel açma",
+ "entities_to_update": "Güncellenecek varlıklar",
+ "update_entity": "Varlığı güncelle",
+ "notify_description": "Seçilen hedeflere bir bildirim mesajı gönderir.",
+ "data": "Veri",
+ "title_for_your_notification": "Bildiriminiz için başlık.",
+ "title_of_the_notification": "Bildirimin başlığı.",
+ "send_a_persistent_notification": "Kalıcı bildirim gönder",
+ "sends_a_notification_message": "Bir bildirim mesajı gönderir.",
+ "your_notification_message": "Bildirim mesajınız.",
+ "title_description": "Bildirimin isteğe bağlı başlığı.",
+ "send_a_notification_message": "Bir bildirim mesajı gönder",
+ "send_magic_packet": "Sihirli paket gönder",
+ "topic_to_listen_to": "Dinlenecek konu.",
+ "topic": "Konu",
+ "export": "Dışa aktar",
+ "publish_description": "Bir MQTT konusuna mesaj yayınlar.",
+ "evaluate_payload": "Yükü değerlendirin",
+ "the_payload_to_publish": "Yayınlanacak yük.",
+ "payload": "Yük",
+ "payload_template": "Yük şablonu",
+ "qos": "QoS",
+ "retain": "Sürdürmek",
+ "topic_to_publish_to": "Yayınlanacak konu.",
+ "publish": "Yayınla",
+ "load_url_description": "Fully Kiosk Browser'a bir URL yükler.",
+ "url_to_load": "Yüklenecek URL.",
+ "load_url": "URL'yi yükle",
+ "configuration_parameter_to_set": "Ayarlanacak yapılandırma parametresi.",
+ "set_configuration": "Yapılandırmayı Ayarla",
+ "application_description": "Başlatılacak uygulamanın paket adı.",
+ "start_application": "Uygulamayı Başlat",
+ "battery_description": "Cihazın pil seviyesi.",
+ "gps_coordinates": "GPS koordinatları",
+ "gps_accuracy_description": "GPS koordinatlarının doğruluğu.",
+ "hostname_of_the_device": "Cihazın ana bilgisayar adı.",
+ "hostname": "Ana bilgisayar adı",
+ "mac_description": "Cihazın MAC adresi.",
+ "see": "Gör",
+ "device_description": "Komutun gönderileceği cihaz kimliği.",
+ "delete_command": "Komutu sil",
+ "alternative": "Alternatif",
+ "timeout_description": "Öğrenilecek komut için zaman aşımı.",
+ "learn_command": "Komut öğren",
+ "delay_seconds": "Gecikme saniyeleri",
+ "hold_seconds": "Saniye tutun",
+ "send_command": "Komut gönder",
+ "sends_the_toggle_command": "Geçiş komutunu gönderir.",
+ "turn_on_description": "Yeni bir temizlik görevi başlatır.",
+ "get_weather_forecast": "Hava durumu tahminlerini alın.",
+ "type_description": "Tahmin türü: günlük, saatlik veya günde iki kez.",
+ "forecast_type": "Tahmin türü",
+ "get_forecast": "Tahmin alın",
+ "get_forecasts": "Tahminleri alın",
+ "press_the_button_entity": "Varlık düğmesine basın.",
+ "enable_remote_access": "Uzaktan erişimi etkinleştir",
+ "disable_remote_access": "Uzaktan erişimi devre dışı bırak",
+ "create_description": "Bildirim panelinde bir bildirim gösterir.",
+ "notification_id": "Bildirim Kimliği",
+ "dismiss_description": "Bildirim panelinden bir bildirimi siler.",
+ "notification_id_description": "Silinecek bildirimin kimliği.",
+ "dismiss_all_description": "Bildirim panelindeki tüm bildirimleri siler.",
+ "locate_description": "Robot süpürgenin yerini bulur.",
+ "pauses_the_cleaning_task": "Temizleme görevini duraklatır.",
+ "send_command_description": "Elektrikli süpürgeye bir komut gönderir.",
+ "set_fan_speed": "Fan hızını ayarla",
+ "start_description": "Temizleme görevini başlatır veya devam ettirir.",
+ "start_pause_description": "Temizleme görevini başlatır, duraklatır veya devam ettirir.",
+ "stop_description": "Geçerli temizleme görevini durdurur.",
+ "toggle_description": "Bir medya oynatıcıyı açar/kapatır.",
+ "play_chime_description": "Reolink Chime'da zil sesi çalar.",
+ "target_chime": "Hedef zili",
+ "ringtone_to_play": "Çalınacak zil sesi.",
+ "ringtone": "Zil sesi",
+ "play_chime": "Zil çal",
+ "ptz_move_description": "Kamerayı belirli bir hızla hareket ettirir.",
+ "ptz_move_speed": "PTZ hareket hızı.",
+ "ptz_move": "PTZ hareketi",
+ "disables_the_motion_detection": "Hareket algılamayı devre dışı bırakır.",
+ "disable_motion_detection": "Hareket algılamayı devre dışı bırak",
+ "enables_the_motion_detection": "Hareket algılamayı etkinleştirir.",
+ "enable_motion_detection": "Hareket algılamayı etkinleştir",
+ "format_description": "Medya oynatıcı tarafından desteklenen akış formatı.",
+ "format": "Biçim",
+ "media_player_description": "Akış için medya oynatıcılar.",
+ "play_stream": "Akışı oynat",
+ "filename_description": "Dosya adının tam yolu. mp4 olmalı.",
+ "filename": "Dosya adı",
+ "lookback": "Geriye Bakış",
+ "snapshot_description": "Bir kameradan anlık görüntü alır.",
+ "full_path_to_filename": "Dosya adının tam yolu.",
+ "take_snapshot": "Anlık görüntü alın",
+ "turns_off_the_camera": "Kamerayı kapatır.",
+ "turns_on_the_camera": "Kamerayı açar.",
+ "reload_resources_description": "Pano kaynaklarını YAML yapılandırmasından yeniden yükler.",
"clear_tts_cache": "TTS önbelleğini temizle",
"cache": "Önbellek",
"language_description": "Metin dili. Varsayılan olarak sunucu dili.",
"options_description": "Entegrasyona özgü seçenekleri içeren bir sözlük.",
"say_a_tts_message": "Bir TTS mesajı söyleyin",
- "media_player_entity_id_description": "Mesajı oynatmak için medya oynatıcılar.",
"media_player_entity": "Medya oynatıcı varlığı",
"speak": "Konuş",
- "reload_resources_description": "Pano kaynaklarını YAML yapılandırmasından yeniden yükler.",
- "toggles_the_siren_on_off": "Sireni açar/kapatır.",
- "turns_the_siren_off": "Sireni kapatır.",
- "turns_the_siren_on": "Sireni açar.",
- "toggles_the_helper_on_off": "Yardımcıyı açar/kapatır.",
- "turns_off_the_helper": "Yardımcıyı kapatır.",
- "turns_on_the_helper": "Yardımcıyı açar.",
- "pauses_the_mowing_task": "Biçme görevini duraklatır.",
- "starts_the_mowing_task": "Biçme görevini başlatır.",
+ "send_text_command": "Metin komutu gönder",
+ "the_target_value": "Hedef değer.",
+ "removes_a_group": "Bir grubu kaldırır.",
+ "object_id": "Nesne Kimliği",
+ "creates_updates_a_group": "Bir grup oluşturur/güncelletir.",
+ "icon_description": "Grup için simgenin adı.",
+ "name_of_the_group": "Grubun adı.",
+ "remove_entities": "Varlıkları kaldır",
+ "locks_a_lock": "Bir kilidi kilitler.",
+ "code_description": "Alarmı kurmak için kod.",
+ "opens_a_lock": "Bir kilidi açar.",
+ "announce_description": "Uydunun bir mesaj duyurmasına izin verin.",
+ "media_id": "Medya Kimliği",
+ "the_message_to_announce": "Duyurulacak mesaj.",
+ "announce": "Duyurun",
+ "reloads_the_automation_configuration": "Otomasyon yapılandırmasını yeniden yükler.",
+ "trigger_description": "Bir otomasyonun eylemlerini tetikler.",
+ "skip_conditions": "Koşulları atla",
+ "trigger": "Tetikle",
+ "disables_an_automation": "Bir otomasyonu devre dışı bırakır.",
+ "stops_currently_running_actions": "Çalışmakta olan eylemleri durdurur.",
+ "stop_actions": "Eylemleri durdurun",
+ "enables_an_automation": "Bir otomasyonu etkinleştirir.",
+ "deletes_all_log_entries": "Tüm günlük kayıtlarını siler.",
+ "write_log_entry": "Günlük girişi yazın.",
+ "log_level": "Günlük düzeyi.",
+ "message_to_log": "Günlüğe kaydedilecek ileti.",
+ "write": "Yaz",
+ "dashboard_path": "Pano yolu",
+ "view_path": "Yolu görüntüle",
+ "show_dashboard_view": "Pano görünümünü göster",
+ "process_description": "Kopyalanmış bir metinden bir konuşma başlatır.",
+ "agent": "Aracı",
+ "conversation_id": "Konuşma Kimliği",
+ "transcribed_text_input": "Yazıya dökülmüş metin girişi.",
+ "process": "İşlem",
+ "reloads_the_intent_configuration": "Amaç yapılandırmasını yeniden yükler.",
+ "conversation_agent_to_reload": "Konuşma aracısı yeniden yüklenecek.",
+ "closes_a_cover": "Bir kepengi kapatır.",
+ "close_tilt": "Kepengi kapat",
+ "opens_a_cover": "Bir kepenk açar.",
+ "tilts_a_cover_open": "Bir kepengi açar.",
+ "open_tilt": "Kepenk aç",
+ "set_cover_position_description": "Bir kapağı belirli bir konuma taşır.",
+ "target_position": "Hedef pozisyon.",
+ "set_position": "Pozisyonu ayarla",
+ "target_tilt_positition": "Hedef kepenk pozisyonu.",
+ "set_tilt_position": "Eğim konumunu ayarlama",
+ "stops_the_cover_movement": "Kapak hareketini durdurur.",
+ "stop_cover_tilt_description": "Eğilen bir kapak hareketini durdurur.",
+ "stop_tilt": "Eğimi durdur",
+ "toggles_a_cover_open_closed": "Bir kapağı açar/kapatır.",
+ "toggle_cover_tilt_description": "Bir kapak eğimini açık/kapalı konuma getirir.",
+ "toggle_tilt": "Eğimi değiştir",
+ "turns_auxiliary_heater_on_off": "Yardımcı ısıtıcıyı açar/kapatır.",
+ "aux_heat_description": "Yardımcı ısıtıcının yeni değeri.",
+ "auxiliary_heating": "Yardımcı ısıtma",
+ "turn_on_off_auxiliary_heater": "Yardımcı ısıtıcıyı açma/kapatma",
+ "sets_fan_operation_mode": "Fan çalışma modunu ayarlar.",
+ "fan_operation_mode": "Fan çalışma modu.",
+ "set_fan_mode": "Fan modunu ayarla",
+ "sets_target_humidity": "Hedef nemi ayarlar.",
+ "set_target_humidity": "Hedef nemi ayarla",
+ "sets_hvac_operation_mode": "HVAC çalışma modunu ayarlar.",
+ "hvac_operation_mode": "HVAC çalışma modu.",
+ "set_hvac_mode": "HVAC modunu ayarla",
+ "sets_preset_mode": "Ön ayar modunu ayarlar.",
+ "set_swing_horizontal_mode_description": "Yatay salınım çalışma modunu ayarlar.",
+ "horizontal_swing_operation_mode": "Yatay salınım çalışma modu.",
+ "set_horizontal_swing_mode": "Yatay salınım modunu ayarlayın",
+ "sets_swing_operation_mode": "Salınım çalışma modunu ayarlar.",
+ "swing_operation_mode": "Kaydırma çalışma modu.",
+ "set_swing_mode": "Salınım modunu ayarla",
+ "sets_the_temperature_setpoint": "Sıcaklık ayar noktasını ayarlar.",
+ "the_max_temperature_setpoint": "Maksimum sıcaklık ayar noktası.",
+ "the_min_temperature_setpoint": "Minimum sıcaklık ayar noktası.",
+ "the_temperature_setpoint": "Sıcaklık ayar noktası.",
+ "set_target_temperature": "Hedef sıcaklığı ayarla",
+ "turns_climate_device_off": "Klima cihazını kapatır.",
+ "turns_climate_device_on": "Klima cihazını açar.",
+ "apply_filter": "Filtre uygula",
+ "days_to_keep": "Saklanacak gün",
+ "repack": "Yeniden Paketle",
+ "purge": "Tasfiye",
+ "domains_to_remove": "Kaldırılacak alanlar",
+ "entity_globs_to_remove": "Kaldırılacak varlık küreleri",
+ "entities_to_remove": "Kaldırılacak varlıklar",
+ "purge_entities": "Varlıkları temizleyin",
+ "clear_playlist_description": "Çalma listesindeki tüm öğeleri kaldırır.",
+ "clear_playlist": "Çalma listesini temizle",
+ "selects_the_next_track": "Sonraki parçayı seçer.",
+ "pauses": "Duraklar.",
+ "starts_playing": "Oynamaya başlar.",
+ "toggles_play_pause": "Oynat/duraklat arasında geçiş yapar.",
+ "selects_the_previous_track": "Bir önceki parçayı seçer.",
+ "seek": "Arayın",
+ "stops_playing": "Çalmayı durdurur.",
+ "starts_playing_specified_media": "Belirtilen medyayı oynatmaya başlar.",
+ "enqueue": "Sıraya almak",
+ "repeat_mode_to_set": "Ayarlanacak tekrar modu.",
+ "select_sound_mode_description": "Belirli bir ses modunu seçer.",
+ "select_sound_mode": "Ses modunu seçin",
+ "select_source": "Kaynak seçin",
+ "shuffle_description": "Karıştırma modunun etkin olup olmadığı.",
+ "unjoin": "Ayrılma",
+ "turns_down_the_volume": "Sesi kısar.",
+ "turn_down_volume": "Sesi kısın",
+ "volume_mute_description": "Medya yürütücünün sesini kapatır veya açar.",
+ "is_volume_muted_description": "Sessize alınıp alınmayacağını tanımlar.",
+ "mute_unmute_volume": "Sesi kapat/aç",
+ "sets_the_volume_level": "Ses seviyesini ayarlar.",
+ "set_volume": "Ses seviyesini ayarla",
+ "turns_up_the_volume": "Ses seviyesini yükseltir.",
+ "turn_up_volume": "Sesi açın",
"restarts_an_add_on": "Bir eklentiyi yeniden başlatır.",
"the_add_on_to_restart": "Yeniden başlatılacak eklenti.",
"restart_add_on": "Eklentiyi yeniden başlat",
@@ -3300,39 +3773,6 @@
"restore_partial_description": "Kısmi bir yedekten geri yükler.",
"restores_home_assistant": "Home Assistant'ı geri yükler.",
"restore_from_partial_backup": "Kısmi yedeklemeden geri yükleme",
- "decrease_speed_description": "Bir fanın hızını azaltır.",
- "decrease_speed": "Hızı azalt",
- "increase_speed_description": "Bir fanın hızını arttırır.",
- "increase_speed": "Hızı artır",
- "oscillate_description": "Bir fanın salınımını kontrol eder.",
- "turns_oscillation_on_off": "Salınımı açar/kapatır.",
- "set_direction_description": "Bir fanın dönüş yönünü ayarlar.",
- "direction_description": "Fanın dönüş yönü.",
- "set_direction": "Yönü ayarla",
- "set_percentage_description": "Bir fanın hızını ayarlar.",
- "speed_of_the_fan": "Fan hızı.",
- "percentage": "Yüzde",
- "set_speed": "Hız ayarla",
- "sets_preset_fan_mode": "Önceden ayarlanmış fan modunu ayarlar.",
- "preset_fan_mode": "Ön ayarlı fan modu.",
- "toggles_a_fan_on_off": "Bir fanı açıp kapatır.",
- "turns_fan_off": "Fanı kapatır.",
- "turns_fan_on": "Fanı açar.",
- "get_weather_forecast": "Hava durumu tahminlerini alın.",
- "type_description": "Tahmin türü: günlük, saatlik veya günde iki kez.",
- "forecast_type": "Tahmin türü",
- "get_forecast": "Tahmin alın",
- "get_forecasts": "Tahminleri alın",
- "clear_skipped_update": "Atlanan güncellemeyi temizle",
- "install_update": "Güncellemeyi yükle",
- "skip_description": "Mevcut güncellemeyi atlandı olarak işaretler.",
- "skip_update": "Güncellemeyi atla",
- "code_description": "Kilidi açmak için kullanılan kod.",
- "arm_with_custom_bypass": "Özel baypas ile devreye alma",
- "alarm_arm_vacation_description": "Alarmı ayarlar: _tatil için alarmdevrede_.",
- "disarms_the_alarm": "Alarmı devre dışı bırakır.",
- "trigger_the_alarm_manually": "Alarmı manuel olarak tetikleyin.",
- "trigger": "Tetikle",
"selects_the_first_option": "İlk seçeneği seçer.",
"first": "Birinci",
"selects_the_last_option": "Son seçeneği seçer.",
@@ -3340,75 +3780,16 @@
"selects_an_option": "Bir seçenek seçer.",
"option_to_be_selected": "Seçilecek seçenek.",
"selects_the_previous_option": "Önceki seçeneği seçer.",
- "disables_the_motion_detection": "Hareket algılamayı devre dışı bırakır.",
- "disable_motion_detection": "Hareket algılamayı devre dışı bırak",
- "enables_the_motion_detection": "Hareket algılamayı etkinleştirir.",
- "enable_motion_detection": "Hareket algılamayı etkinleştir",
- "format_description": "Medya oynatıcı tarafından desteklenen akış formatı.",
- "format": "Biçim",
- "media_player_description": "Akış için medya oynatıcılar.",
- "play_stream": "Akışı oynat",
- "filename_description": "Dosya adının tam yolu. mp4 olmalı.",
- "filename": "Dosya adı",
- "lookback": "Geriye Bakış",
- "snapshot_description": "Bir kameradan anlık görüntü alır.",
- "full_path_to_filename": "Dosya adının tam yolu.",
- "take_snapshot": "Anlık görüntü alın",
- "turns_off_the_camera": "Kamerayı kapatır.",
- "turns_on_the_camera": "Kamerayı açar.",
- "press_the_button_entity": "Varlık düğmesine basın.",
+ "add_event_description": "Yeni bir takvim etkinliği ekler.",
+ "location_description": "Etkinliğin yeri. İsteğe bağlı.",
"start_date_description": "Tüm gün süren etkinliğin başlaması gereken tarih.",
+ "create_event": "Etkinlik oluştur",
"get_events": "Etkinlikleri alın",
- "select_the_next_option": "Bir sonraki seçeneği seçin.",
- "sets_the_options": "Seçenekleri ayarlar.",
- "list_of_options": "Seçenekler listesi.",
- "set_options": "Seçenekleri ayarla",
- "closes_a_cover": "Bir kepengi kapatır.",
- "close_tilt": "Kepengi kapat",
- "opens_a_cover": "Bir kepenk açar.",
- "tilts_a_cover_open": "Bir kepengi açar.",
- "open_tilt": "Kepenk aç",
- "set_cover_position_description": "Bir kapağı belirli bir konuma taşır.",
- "target_tilt_positition": "Hedef kepenk pozisyonu.",
- "set_tilt_position": "Eğim konumunu ayarlama",
- "stops_the_cover_movement": "Kapak hareketini durdurur.",
- "stop_cover_tilt_description": "Eğilen bir kapak hareketini durdurur.",
- "stop_tilt": "Eğimi durdur",
- "toggles_a_cover_open_closed": "Bir kapağı açar/kapatır.",
- "toggle_cover_tilt_description": "Bir kapak eğimini açık/kapalı konuma getirir.",
- "toggle_tilt": "Eğimi değiştir",
- "request_sync_description": "Google'a bir request_sync komutu gönderir.",
- "agent_user_id": "Aracı kullanıcı kimliği",
- "request_sync": "Senkronizasyon iste",
- "log_description": "Kayıt defterinde özel bir giriş oluşturur.",
- "message_description": "Bildirimin mesaj gövdesi.",
- "enter_your_text": "Metninizi girin.",
- "set_value": "Değer ayarla",
- "topic_to_listen_to": "Dinlenecek konu.",
- "topic": "Konu",
- "export": "Dışa aktar",
- "publish_description": "Bir MQTT konusuna mesaj yayınlar.",
- "evaluate_payload": "Yükü değerlendirin",
- "the_payload_to_publish": "Yayınlanacak yük.",
- "payload": "Yük",
- "payload_template": "Yük şablonu",
- "qos": "QoS",
- "retain": "Sürdürmek",
- "topic_to_publish_to": "Yayınlanacak konu.",
- "publish": "Yayınla",
- "reloads_the_automation_configuration": "Otomasyon yapılandırmasını yeniden yükler.",
- "trigger_description": "Bir otomasyonun eylemlerini tetikler.",
- "skip_conditions": "Koşulları atla",
- "disables_an_automation": "Bir otomasyonu devre dışı bırakır.",
- "stops_currently_running_actions": "Çalışmakta olan eylemleri durdurur.",
- "stop_actions": "Eylemleri durdurun",
- "enables_an_automation": "Bir otomasyonu etkinleştirir.",
- "enable_remote_access": "Uzaktan erişimi etkinleştir",
- "disable_remote_access": "Uzaktan erişimi devre dışı bırak",
- "set_default_level_description": "Entegrasyonlar için varsayılan günlük düzeyini ayarlar.",
- "level_description": "Tüm entegrasyonlar için varsayılan önem düzeyi.",
- "set_default_level": "Varsayılan seviyeyi ayarla",
- "set_level": "Seviyeyi ayarla",
+ "closes_a_valve": "Bir vanayı kapatır.",
+ "opens_a_valve": "Bir vana açar.",
+ "set_valve_position_description": "Bir vanay belirli bir konuma hareket ettirir.",
+ "stops_the_valve_movement": "Vana hareketini durdurur.",
+ "toggles_a_valve_open_closed": "Bir vanayı açık/kapalı duruma getirir.",
"bridge_identifier": "Köprü tanımlayıcısı",
"configuration_payload": "Yapılandırma yükü",
"entity_description": "deCONZ'da belirli bir cihaz uç noktasını temsil eder.",
@@ -3417,79 +3798,32 @@
"device_refresh_description": "deCONZ'daki mevcut cihazları yeniler.",
"device_refresh": "Cihaz yenileme",
"remove_orphaned_entries": "Sahipsiz girişleri kaldır",
- "locate_description": "Robot süpürgenin yerini bulur.",
- "pauses_the_cleaning_task": "Temizleme görevini duraklatır.",
- "send_command_description": "Elektrikli süpürgeye bir komut gönderir.",
- "command_description": "Google Asistan'a gönderilecek komut(lar).",
- "parameters": "Parametreler",
- "set_fan_speed": "Fan hızını ayarla",
- "start_description": "Temizleme görevini başlatır veya devam ettirir.",
- "start_pause_description": "Temizleme görevini başlatır, duraklatır veya devam ettirir.",
- "stop_description": "Geçerli temizleme görevini durdurur.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Bir anahtarı açar/kapatır.",
- "turns_a_switch_off": "Bir anahtarı kapatır.",
- "turns_a_switch_on": "Bir anahtarı açar.",
+ "calendar_id_description": "İstediğiniz takvimin kimliği.",
+ "calendar_id": "Takvim Kimliği",
+ "description_description": "Etkinliğin açıklaması. İsteğe bağlı.",
+ "summary_description": "Etkinliğin başlığı olarak işlev görür.",
"extract_media_url_description": "Medya URL'sini bir hizmetten çıkarın.",
"format_query": "Biçim sorgusu",
"url_description": "Medyanın bulunabileceği URL.",
"media_url": "Medya URL'si",
"get_media_url": "Medya URL'sini al",
"play_media_description": "Dosyayı verilen URL'den indirir.",
- "notify_description": "Seçilen hedeflere bir bildirim mesajı gönderir.",
- "data": "Veri",
- "title_for_your_notification": "Bildiriminiz için başlık.",
- "title_of_the_notification": "Bildirimin başlığı.",
- "send_a_persistent_notification": "Kalıcı bildirim gönder",
- "sends_a_notification_message": "Bir bildirim mesajı gönderir.",
- "your_notification_message": "Bildirim mesajınız.",
- "title_description": "Bildirimin isteğe bağlı başlığı.",
- "send_a_notification_message": "Bir bildirim mesajı gönder",
- "process_description": "Kopyalanmış bir metinden bir konuşma başlatır.",
- "agent": "Aracı",
- "conversation_id": "Konuşma Kimliği",
- "transcribed_text_input": "Yazıya dökülmüş metin girişi.",
- "process": "İşlem",
- "reloads_the_intent_configuration": "Amaç yapılandırmasını yeniden yükler.",
- "conversation_agent_to_reload": "Konuşma aracısı yeniden yüklenecek.",
- "play_chime_description": "Reolink Chime'da zil sesi çalar.",
- "target_chime": "Hedef zili",
- "ringtone_to_play": "Çalınacak zil sesi.",
- "ringtone": "Zil sesi",
- "play_chime": "Zil çal",
- "ptz_move_description": "Kamerayı belirli bir hızla hareket ettirir.",
- "ptz_move_speed": "PTZ hareket hızı.",
- "ptz_move": "PTZ hareketi",
- "send_magic_packet": "Sihirli paket gönder",
- "send_text_command": "Metin komutu gönder",
- "announce_description": "Uydunun bir mesaj duyurmasına izin verin.",
- "media_id": "Medya Kimliği",
- "the_message_to_announce": "Duyurulacak mesaj.",
- "deletes_all_log_entries": "Tüm günlük kayıtlarını siler.",
- "write_log_entry": "Günlük girişi yazın.",
- "log_level": "Günlük düzeyi.",
- "message_to_log": "Günlüğe kaydedilecek ileti.",
- "write": "Yaz",
- "locks_a_lock": "Bir kilidi kilitler.",
- "opens_a_lock": "Bir kilidi açar.",
- "removes_a_group": "Bir grubu kaldırır.",
- "object_id": "Nesne Kimliği",
- "creates_updates_a_group": "Bir grup oluşturur/güncelletir.",
- "icon_description": "Grup için simgenin adı.",
- "name_of_the_group": "Grubun adı.",
- "remove_entities": "Varlıkları kaldır",
- "stops_a_running_script": "Çalışan bir komut dosyasını durdurur.",
- "create_description": "Bildirim panelinde bir bildirim gösterir.",
- "notification_id": "Bildirim Kimliği",
- "dismiss_description": "Bildirim panelinden bir bildirimi siler.",
- "notification_id_description": "Silinecek bildirimin kimliği.",
- "dismiss_all_description": "Bildirim panelindeki tüm bildirimleri siler.",
- "load_url_description": "Fully Kiosk Browser'a bir URL yükler.",
- "url_to_load": "Yüklenecek URL.",
- "load_url": "URL'yi yükle",
- "configuration_parameter_to_set": "Ayarlanacak yapılandırma parametresi.",
- "set_configuration": "Yapılandırmayı Ayarla",
- "application_description": "Başlatılacak uygulamanın paket adı.",
- "start_application": "Uygulamayı Başlat"
+ "select_the_next_option": "Bir sonraki seçeneği seçin.",
+ "sets_the_options": "Seçenekleri ayarlar.",
+ "list_of_options": "Seçenekler listesi.",
+ "set_options": "Seçenekleri ayarla",
+ "arm_with_custom_bypass": "Özel baypas ile devreye alma",
+ "alarm_arm_vacation_description": "Alarmı ayarlar: _tatil için alarmdevrede_.",
+ "disarms_the_alarm": "Alarmı devre dışı bırakır.",
+ "trigger_the_alarm_manually": "Alarmı manuel olarak tetikleyin.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Çalışan bir zamanlayıcıyı planlanandan daha erken bitirir.",
+ "duration_description": "Zamanlayıcıyı yeniden başlatmak için özel süre.",
+ "toggles_a_switch_on_off": "Bir anahtarı açar/kapatır.",
+ "turns_a_switch_off": "Bir anahtarı kapatır.",
+ "turns_a_switch_on": "Bir anahtarı açar."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/types.ts b/packages/core/src/hooks/useLocale/locales/types.ts
index 8d8ceb94..3df8f19d 100644
--- a/packages/core/src/hooks/useLocale/locales/types.ts
+++ b/packages/core/src/hooks/useLocale/locales/types.ts
@@ -1553,141 +1553,120 @@ export type LocaleKeys =
| "now"
| "compare_data"
| "reload_ui"
- | "input_datetime"
- | "solis_inverter"
- | "scene"
- | "raspberry_pi"
- | "restful_command"
- | "timer"
- | "local_calendar"
- | "intent"
- | "device_tracker"
- | "system_monitor"
- | "repairs"
- | "zero_configuration_networking_zeroconf"
- | "home_assistant_websocket_api"
- | "command_line"
+ | "trace"
+ | "node_red_companion"
+ | "input_boolean"
+ | "auth"
+ | "broadlink"
+ | "ring"
| "home_assistant_api"
- | "home_assistant_supervisor"
+ | "dhcp_discovery"
+ | "webhook"
+ | "media_source"
+ | "mobile_app"
+ | "text_to_speech_tts"
+ | "diagnostics"
+ | "filesize"
+ | "group"
+ | "binary_sensor"
+ | "ffmpeg"
+ | "deconz"
+ | "google_calendar"
+ | "input_select"
+ | "device_automation"
+ | "person"
+ | "input_button"
+ | "profiler"
+ | "fitbit"
+ | "logger"
+ | "script"
| "fan"
- | "weather"
- | "camera"
+ | "scene"
| "schedule"
+ | "home_assistant_core_integration"
+ | "dlna_digital_media_renderer"
+ | "wake_on_lan"
| "mqtt"
- | "automation"
- | "deconz"
- | "go_rtc"
+ | "repairs"
+ | "weather"
+ | "command_line"
+ | "wake_word_detection"
| "android_tv_remote"
- | "esphome"
- | "wyoming_protocol"
- | "conversation"
- | "thread"
- | "http"
- | "input_text"
- | "valve"
- | "fitbit"
- | "home_assistant_core_integration"
- | "climate"
- | "binary_sensor"
- | "broadlink"
+ | "assist_satellite"
+ | "automation"
+ | "system_log"
+ | "cover"
| "bluetooth_adapters"
- | "daikin_ac"
- | "device_automation"
- | "assist_pipeline"
+ | "valve"
| "network_configuration"
- | "ffmpeg"
- | "ssdp_title"
- | "cover"
- | "samsungtv_smart"
+ | "speedtest_net"
+ | "ibeacon_tracker"
+ | "local_calendar"
+ | "tp_link_smart_home"
+ | "siren"
+ | "blueprint"
+ | "speech_to_text_stt"
+ | "switchbot_bluetooth"
+ | "lawn_mower"
+ | "system_monitor"
+ | "image_upload"
+ | "home_assistant_onboarding"
| "google_assistant"
- | "zone"
- | "auth"
- | "event"
+ | "daikin_ac"
+ | "fully_kiosk_browser"
+ | "device_tracker"
+ | "remote"
| "home_assistant_cloud"
- | "speech_to_text_stt"
- | "wake_word_detection"
- | "node_red_companion"
- | "switch"
+ | "persistent_notification"
+ | "vacuum"
+ | "reolink"
+ | "camera"
+ | "hacs"
| "meteorologisk_institutt_met_no"
- | "my_home_assistant"
| "google_assistant_sdk"
- | "system_log"
- | "persistent_notification"
- | "trace"
- | "remote"
- | "tp_link_smart_home"
- | "counter"
- | "filesize"
- | "image_upload"
+ | "samsungtv_smart"
+ | "input_number"
+ | "google_cast"
+ | "rpi_power_title"
+ | "conversation"
+ | "intent"
+ | "go_rtc"
+ | "climate"
| "recorder"
- | "home_assistant_onboarding"
- | "profiler"
- | "text_to_speech_tts"
- | "webhook"
- | "hacs"
- | "input_boolean"
- | "lawn_mower"
+ | "home_assistant_supervisor"
+ | "event"
+ | "zone"
+ | "wyoming_protocol"
+ | "usb_discovery"
+ | "home_assistant_alerts"
| "alarm_control_panel"
- | "input_select"
- | "media_source"
- | "ibeacon_tracker"
- | "mobile_app"
+ | "timer"
+ | "zigbee_home_automation"
+ | "switch"
+ | "input_datetime"
+ | "default_config"
+ | "home_assistant_frontend"
+ | "counter"
+ | "home_assistant_websocket_api"
+ | "configuration"
+ | "thread"
+ | "bluetooth"
+ | "raspberry_pi"
+ | "zero_configuration_networking_zeroconf"
+ | "restful_command"
+ | "ssdp_title"
+ | "application_credentials"
+ | "my_home_assistant"
+ | "solis_inverter"
+ | "esphome"
+ | "http"
| "media_extractor"
- | "dlna_digital_media_renderer"
+ | "stream"
| "shelly"
- | "group"
- | "switchbot_bluetooth"
- | "fully_kiosk_browser"
- | "google_cast"
- | "home_assistant_alerts"
- | "diagnostics"
- | "person"
+ | "assist_pipeline"
+ | "input_text"
| "localtuya"
- | "blueprint"
- | "input_number"
- | "google_calendar"
- | "usb_discovery"
- | "home_assistant_frontend"
- | "stream"
- | "application_credentials"
- | "siren"
- | "bluetooth"
- | "logger"
- | "input_button"
- | "vacuum"
- | "reolink"
- | "dhcp_discovery"
- | "wake_on_lan"
- | "rpi_power_title"
- | "assist_satellite"
- | "script"
- | "ring"
- | "configuration"
| "file_upload"
- | "speedtest_net"
- | "default_config"
- | "activity_calories"
- | "awakenings_count"
- | "battery_level"
- | "bmi"
- | "body_fat"
- | "calories"
- | "calories_bmr"
- | "calories_in"
- | "floors"
- | "minutes_after_wakeup"
- | "minutes_fairly_active"
- | "minutes_lightly_active"
- | "minutes_sedentary"
- | "minutes_very_active"
- | "resting_heart_rate"
- | "sleep_efficiency"
- | "sleep_minutes_asleep"
- | "sleep_minutes_awake"
- | "sleep_minutes_to_fall_asleep_name"
- | "sleep_start_time"
- | "sleep_time_in_bed"
- | "steps"
| "battery_low"
| "cloud_connection"
| "humidity_warning"
@@ -1716,6 +1695,7 @@ export type LocaleKeys =
| "alarm_source"
| "auto_off_at"
| "available_firmware_version"
+ | "battery_level"
| "this_month_s_consumption"
| "today_s_consumption"
| "total_consumption"
@@ -1741,31 +1721,16 @@ export type LocaleKeys =
| "motion_sensor"
| "smooth_transitions"
| "tamper_detection"
- | "next_dawn"
- | "next_dusk"
- | "next_midnight"
- | "next_noon"
- | "next_rising"
- | "next_setting"
- | "solar_azimuth"
- | "solar_elevation"
- | "solar_rising"
- | "day_of_week"
- | "illuminance"
- | "noise"
- | "overload"
- | "working_location"
- | "created"
- | "size"
- | "size_in_bytes"
- | "compressor_energy_consumption"
- | "compressor_estimated_power_consumption"
- | "compressor_frequency"
- | "cool_energy_consumption"
- | "energy_consumption"
- | "heat_energy_consumption"
- | "inside_temperature"
- | "outside_temperature"
+ | "calibration"
+ | "auto_lock_paused"
+ | "timeout"
+ | "unclosed_alarm"
+ | "unlocked_alarm"
+ | "bluetooth_signal"
+ | "light_level"
+ | "wi_fi_signal"
+ | "momentary"
+ | "pull_retract"
| "process_process"
| "disk_free_mount_point"
| "disk_use_mount_point"
@@ -1787,34 +1752,76 @@ export type LocaleKeys =
| "swap_usage"
| "network_throughput_in_interface"
| "network_throughput_out_interface"
- | "pre_release"
- | "no_pre_releases"
- | "pre_releases_preferred"
- | "assist_in_progress"
- | "preferred"
- | "finished_speaking_detection"
- | "aggressive"
- | "relaxed"
- | "os_agent_version"
- | "apparmor_version"
- | "cpu_percent"
- | "disk_free"
- | "disk_total"
- | "disk_used"
- | "memory_percent"
- | "version"
- | "newest_version"
+ | "day_of_week"
+ | "illuminance"
+ | "noise"
+ | "overload"
+ | "activity_calories"
+ | "awakenings_count"
+ | "bmi"
+ | "body_fat"
+ | "calories"
+ | "calories_bmr"
+ | "calories_in"
+ | "floors"
+ | "minutes_after_wakeup"
+ | "minutes_fairly_active"
+ | "minutes_lightly_active"
+ | "minutes_sedentary"
+ | "minutes_very_active"
+ | "resting_heart_rate"
+ | "sleep_efficiency"
+ | "sleep_minutes_asleep"
+ | "sleep_minutes_awake"
+ | "sleep_minutes_to_fall_asleep_name"
+ | "sleep_start_time"
+ | "sleep_time_in_bed"
+ | "steps"
| "synchronize_devices"
- | "estimated_distance"
- | "vendor"
- | "quiet"
- | "wake_word"
- | "okay_nabu"
- | "auto_gain"
+ | "ding"
+ | "last_recording"
+ | "intercom_unlock"
+ | "doorbell_volume"
| "mic_volume"
- | "noise_suppression_level"
- | "off"
- | "mute"
+ | "voice_volume"
+ | "last_activity"
+ | "last_ding"
+ | "last_motion"
+ | "wi_fi_signal_category"
+ | "wi_fi_signal_strength"
+ | "in_home_chime"
+ | "compressor_energy_consumption"
+ | "compressor_estimated_power_consumption"
+ | "compressor_frequency"
+ | "cool_energy_consumption"
+ | "energy_consumption"
+ | "heat_energy_consumption"
+ | "inside_temperature"
+ | "outside_temperature"
+ | "device_admin"
+ | "kiosk_mode"
+ | "plugged_in"
+ | "load_start_url"
+ | "restart_browser"
+ | "restart_device"
+ | "send_to_background"
+ | "bring_to_foreground"
+ | "screenshot"
+ | "overlay_message"
+ | "screen_brightness"
+ | "screen_off_timer"
+ | "screensaver_brightness"
+ | "screensaver_timer"
+ | "current_page"
+ | "foreground_app"
+ | "internal_storage_free_space"
+ | "internal_storage_total_space"
+ | "free_memory"
+ | "total_memory"
+ | "screen_orientation"
+ | "kiosk_lock"
+ | "maintenance_mode"
+ | "screensaver"
| "animal"
| "detected"
| "animal_lens"
@@ -1888,6 +1895,7 @@ export type LocaleKeys =
| "pir_sensitivity"
| "zoom"
| "auto_quick_reply_message"
+ | "off"
| "auto_track_method"
| "digital"
| "digital_first"
@@ -1938,7 +1946,6 @@ export type LocaleKeys =
| "ptz_pan_position"
| "ptz_tilt_position"
| "sd_hdd_index_storage"
- | "wi_fi_signal"
| "auto_focus"
| "auto_tracking"
| "doorbell_button_sound"
@@ -1955,6 +1962,49 @@ export type LocaleKeys =
| "record"
| "record_audio"
| "siren_on_event"
+ | "pre_release"
+ | "no_pre_releases"
+ | "pre_releases_preferred"
+ | "created"
+ | "size"
+ | "size_in_bytes"
+ | "assist_in_progress"
+ | "quiet"
+ | "preferred"
+ | "finished_speaking_detection"
+ | "aggressive"
+ | "relaxed"
+ | "wake_word"
+ | "okay_nabu"
+ | "os_agent_version"
+ | "apparmor_version"
+ | "cpu_percent"
+ | "disk_free"
+ | "disk_total"
+ | "disk_used"
+ | "memory_percent"
+ | "version"
+ | "newest_version"
+ | "auto_gain"
+ | "noise_suppression_level"
+ | "mute"
+ | "bytes_received"
+ | "server_country"
+ | "server_id"
+ | "server_name"
+ | "ping"
+ | "upload"
+ | "bytes_sent"
+ | "working_location"
+ | "next_dawn"
+ | "next_dusk"
+ | "next_midnight"
+ | "next_noon"
+ | "next_rising"
+ | "next_setting"
+ | "solar_azimuth"
+ | "solar_elevation"
+ | "solar_rising"
| "heavy"
| "mild"
| "button_down"
@@ -1974,73 +2024,251 @@ export type LocaleKeys =
| "closing"
| "failure"
| "opened"
- | "ding"
- | "last_recording"
- | "intercom_unlock"
- | "doorbell_volume"
- | "voice_volume"
- | "last_activity"
- | "last_ding"
- | "last_motion"
- | "wi_fi_signal_category"
- | "wi_fi_signal_strength"
- | "in_home_chime"
- | "calibration"
- | "auto_lock_paused"
- | "timeout"
- | "unclosed_alarm"
- | "unlocked_alarm"
- | "bluetooth_signal"
- | "light_level"
- | "momentary"
- | "pull_retract"
- | "bytes_received"
- | "server_country"
- | "server_id"
- | "server_name"
- | "ping"
- | "upload"
- | "bytes_sent"
- | "device_admin"
- | "kiosk_mode"
- | "plugged_in"
- | "load_start_url"
- | "restart_browser"
- | "restart_device"
- | "send_to_background"
- | "bring_to_foreground"
- | "screenshot"
- | "overlay_message"
- | "screen_brightness"
- | "screen_off_timer"
- | "screensaver_brightness"
- | "screensaver_timer"
- | "current_page"
- | "foreground_app"
- | "internal_storage_free_space"
- | "internal_storage_total_space"
- | "free_memory"
- | "total_memory"
- | "screen_orientation"
- | "kiosk_lock"
- | "maintenance_mode"
- | "screensaver"
- | "last_scanned_by_device_id_name"
- | "tag_id"
- | "managed_via_ui"
- | "max_length"
- | "min_length"
- | "pattern"
- | "minute"
- | "second"
- | "timestamp"
- | "stopped"
+ | "estimated_distance"
+ | "vendor"
+ | "accelerometer"
+ | "binary_input"
+ | "calibrated"
+ | "consumer_connected"
+ | "external_sensor"
+ | "frost_lock"
+ | "opened_by_hand"
+ | "heat_required"
+ | "ias_zone"
+ | "linkage_alarm_state"
+ | "mounting_mode_active"
+ | "open_window_detection_status"
+ | "pre_heat_status"
+ | "replace_filter"
+ | "valve_alarm"
+ | "open_window_detection"
+ | "feed"
+ | "frost_lock_reset"
+ | "presence_status_reset"
+ | "reset_summation_delivered"
+ | "self_test"
+ | "keen_vent"
+ | "fan_group"
+ | "light_group"
+ | "door_lock"
+ | "ambient_sensor_correction"
+ | "approach_distance"
+ | "automatic_switch_shutoff_timer"
+ | "away_preset_temperature"
+ | "boost_amount"
+ | "button_delay"
+ | "local_default_dimming_level"
+ | "remote_default_dimming_level"
+ | "default_move_rate"
+ | "detection_delay"
+ | "maximum_range"
+ | "minimum_range"
+ | "detection_interval"
+ | "local_dimming_down_speed"
+ | "remote_dimming_down_speed"
+ | "local_dimming_up_speed"
+ | "remote_dimming_up_speed"
+ | "display_activity_timeout"
+ | "display_brightness"
+ | "display_inactive_brightness"
+ | "double_tap_down_level"
+ | "double_tap_up_level"
+ | "exercise_start_time"
+ | "external_sensor_correction"
+ | "external_temperature_sensor"
+ | "fading_time"
+ | "fallback_timeout"
+ | "filter_life_time"
+ | "fixed_load_demand"
+ | "frost_protection_temperature"
+ | "irrigation_cycles"
+ | "irrigation_interval"
+ | "irrigation_target"
+ | "led_color_when_off_name"
+ | "led_color_when_on_name"
+ | "led_intensity_when_off_name"
+ | "led_intensity_when_on_name"
+ | "load_level_indicator_timeout"
+ | "load_room_mean"
+ | "local_temperature_offset"
+ | "max_heat_setpoint_limit"
+ | "maximum_load_dimming_level"
+ | "min_heat_setpoint_limit"
+ | "minimum_load_dimming_level"
+ | "off_led_intensity"
+ | "off_transition_time"
+ | "on_led_intensity"
+ | "on_level"
+ | "on_off_transition_time"
+ | "on_transition_time"
+ | "open_window_detection_guard_period_name"
+ | "open_window_detection_threshold"
+ | "open_window_event_duration"
+ | "portion_weight"
+ | "presence_detection_timeout"
+ | "presence_sensitivity"
+ | "fade_time"
+ | "quick_start_time"
+ | "ramp_rate_off_to_on_local_name"
+ | "ramp_rate_off_to_on_remote_name"
+ | "ramp_rate_on_to_off_local_name"
+ | "ramp_rate_on_to_off_remote_name"
+ | "regulation_setpoint_offset"
+ | "regulator_set_point"
+ | "serving_to_dispense"
+ | "siren_time"
+ | "start_up_color_temperature"
+ | "start_up_current_level"
+ | "start_up_default_dimming_level"
+ | "timer_duration"
+ | "timer_time_left"
+ | "transmit_power"
+ | "valve_closing_degree"
+ | "irrigation_time"
+ | "valve_opening_degree"
+ | "adaptation_run_command"
+ | "backlight_mode"
+ | "click_mode"
+ | "control_type"
+ | "decoupled_mode"
+ | "default_siren_level"
+ | "default_siren_tone"
+ | "default_strobe"
+ | "default_strobe_level"
+ | "detection_distance"
+ | "detection_sensitivity"
+ | "exercise_day_of_week_name"
+ | "external_temperature_sensor_type"
+ | "external_trigger_mode"
+ | "heat_transfer_medium"
+ | "heating_emitter_type"
+ | "heating_fuel"
+ | "non_neutral_output"
+ | "irrigation_mode"
+ | "keypad_lockout"
+ | "dimming_mode"
+ | "led_scaling_mode"
+ | "local_temperature_source"
+ | "monitoring_mode"
+ | "off_led_color"
+ | "on_led_color"
+ | "operation_mode"
+ | "output_mode"
+ | "power_on_state"
+ | "regulator_period"
+ | "sensor_mode"
+ | "setpoint_response_time"
+ | "smart_fan_led_display_levels_name"
+ | "start_up_behavior"
+ | "switch_mode"
+ | "switch_type"
+ | "thermostat_application"
+ | "thermostat_mode"
+ | "valve_orientation"
+ | "viewing_direction"
+ | "weather_delay"
+ | "curtain_mode"
+ | "ac_frequency"
+ | "adaptation_run_status"
+ | "in_progress"
+ | "run_successful"
+ | "valve_characteristic_lost"
+ | "analog_input"
+ | "control_status"
+ | "device_run_time"
+ | "device_temperature"
+ | "target_distance"
+ | "filter_run_time"
+ | "formaldehyde_concentration"
+ | "hooks_state"
+ | "hvac_action"
+ | "instantaneous_demand"
+ | "internal_temperature"
+ | "irrigation_duration"
+ | "last_irrigation_duration"
+ | "irrigation_end_time"
+ | "irrigation_start_time"
+ | "last_feeding_size"
+ | "last_feeding_source"
+ | "last_illumination_state"
+ | "last_valve_open_duration"
+ | "leaf_wetness"
+ | "load_estimate"
+ | "floor_temperature"
+ | "lqi"
+ | "motion_distance"
+ | "motor_stepcount"
+ | "open_window_detected"
+ | "overheat_protection"
+ | "pi_heating_demand"
+ | "portions_dispensed_today"
+ | "pre_heat_time"
+ | "rssi"
+ | "self_test_result"
+ | "setpoint_change_source"
+ | "smoke_density"
+ | "software_error"
+ | "good"
+ | "critical_low_battery"
+ | "encoder_jammed"
+ | "invalid_clock_information"
+ | "invalid_internal_communication"
+ | "low_battery"
+ | "motor_error"
+ | "non_volatile_memory_error"
+ | "radio_communication_error"
+ | "side_pcb_sensor_error"
+ | "top_pcb_sensor_error"
+ | "unknown_hw_error"
+ | "soil_moisture"
+ | "summation_delivered"
+ | "summation_received"
+ | "tier_summation_delivered"
+ | "timer_state"
+ | "time_left"
+ | "weight_dispensed_today"
+ | "window_covering_type"
+ | "adaptation_run_enabled"
+ | "aux_switch_scenes"
+ | "binding_off_to_on_sync_level_name"
+ | "buzzer_manual_alarm"
+ | "buzzer_manual_mute"
+ | "detach_relay"
+ | "disable_clear_notifications_double_tap_name"
+ | "disable_led"
+ | "double_tap_down_enabled"
+ | "double_tap_up_enabled"
+ | "double_up_full_name"
+ | "enable_siren"
+ | "external_window_sensor"
+ | "distance_switch"
+ | "firmware_progress_led"
+ | "heartbeat_indicator"
+ | "heat_available"
+ | "hooks_locked"
+ | "invert_switch"
+ | "inverted"
+ | "led_indicator"
+ | "linkage_alarm"
+ | "local_protection"
+ | "mounting_mode"
+ | "only_led_mode"
+ | "open_window"
+ | "power_outage_memory"
+ | "prioritize_external_temperature_sensor"
+ | "relay_click_in_on_off_mode_name"
+ | "smart_bulb_mode"
+ | "smart_fan_mode"
+ | "led_trigger_indicator"
+ | "turbo_mode"
+ | "use_internal_window_detection"
+ | "use_load_balancing"
+ | "valve_detection"
+ | "window_detection"
+ | "invert_window_detection"
+ | "available_tones"
| "device_trackers"
| "gps_accuracy"
- | "paused"
- | "finishes_at"
- | "remaining"
- | "restore"
| "last_reset"
| "possible_states"
| "state_class"
@@ -2073,84 +2301,12 @@ export type LocaleKeys =
| "sound_pressure"
| "speed"
| "sulphur_dioxide"
+ | "timestamp"
| "vocs"
| "volume_flow_rate"
| "stored_volume"
| "weight"
- | "cool"
- | "fan_only"
- | "heat_cool"
- | "aux_heat"
- | "current_humidity"
- | "current_temperature"
- | "fan_mode"
- | "diffuse"
- | "middle"
- | "top"
- | "current_action"
- | "cooling"
- | "defrosting"
- | "drying"
- | "heating"
- | "preheating"
- | "max_target_humidity"
- | "max_target_temperature"
- | "min_target_humidity"
- | "min_target_temperature"
- | "boost"
- | "comfort"
- | "eco"
- | "sleep"
- | "presets"
- | "horizontal_swing_mode"
- | "swing_mode"
- | "both"
- | "horizontal"
- | "upper_target_temperature"
- | "lower_target_temperature"
- | "target_temperature_step"
- | "step"
- | "not_charging"
- | "disconnected"
- | "connected"
- | "hot"
- | "no_light"
- | "light_detected"
- | "locked"
- | "unlocked"
- | "not_moving"
- | "unplugged"
- | "not_running"
- | "safe"
- | "unsafe"
- | "tampering_detected"
- | "automatic"
- | "box"
- | "above_horizon"
- | "below_horizon"
- | "buffering"
- | "playing"
- | "standby"
- | "app_id"
- | "local_accessible_entity_picture"
- | "group_members"
- | "muted"
- | "album_artist"
- | "content_id"
- | "content_type"
- | "channels"
- | "position_updated"
- | "series"
- | "all"
- | "one"
- | "available_sound_modes"
- | "available_sources"
- | "receiver"
- | "speaker"
- | "tv"
- | "bluetooth_le"
- | "gps"
- | "router"
+ | "managed_via_ui"
| "color_mode"
| "brightness_only"
| "hs"
@@ -2166,13 +2322,36 @@ export type LocaleKeys =
| "minimum_color_temperature_kelvin"
| "minimum_color_temperature_mireds"
| "available_color_modes"
- | "available_tones"
| "docked"
| "mowing"
+ | "paused"
| "returning"
+ | "max_length"
+ | "min_length"
+ | "pattern"
+ | "running_automations"
+ | "max_running_scripts"
+ | "run_mode"
+ | "parallel"
+ | "queued"
+ | "single"
+ | "auto_update"
+ | "installed_version"
+ | "latest_version"
+ | "release_summary"
+ | "release_url"
+ | "skipped_version"
+ | "firmware"
| "oscillating"
| "speed_step"
| "available_preset_modes"
+ | "minute"
+ | "second"
+ | "next_event"
+ | "step"
+ | "bluetooth_le"
+ | "gps"
+ | "router"
| "clear_night"
| "cloudy"
| "exceptional"
@@ -2195,26 +2374,9 @@ export type LocaleKeys =
| "uv_index"
| "wind_bearing"
| "wind_gust_speed"
- | "auto_update"
- | "in_progress"
- | "installed_version"
- | "latest_version"
- | "release_summary"
- | "release_url"
- | "skipped_version"
- | "firmware"
- | "armed_away"
- | "armed_custom_bypass"
- | "armed_home"
- | "armed_night"
- | "armed_vacation"
- | "disarming"
- | "triggered"
- | "changed_by"
- | "code_for_arming"
- | "not_required"
- | "code_format"
| "identify"
+ | "cleaning"
+ | "returning_to_dock"
| "recording"
| "streaming"
| "access_token"
@@ -2223,65 +2385,112 @@ export type LocaleKeys =
| "hls"
| "webrtc"
| "model"
+ | "last_scanned_by_device_id_name"
+ | "tag_id"
+ | "automatic"
+ | "box"
+ | "jammed"
+ | "locked"
+ | "locking"
+ | "unlocked"
+ | "unlocking"
+ | "changed_by"
+ | "code_format"
+ | "members"
+ | "listening"
+ | "processing"
+ | "responding"
+ | "id"
+ | "max_running_automations"
+ | "cool"
+ | "fan_only"
+ | "heat_cool"
+ | "aux_heat"
+ | "current_humidity"
+ | "current_temperature"
+ | "fan_mode"
+ | "diffuse"
+ | "middle"
+ | "top"
+ | "current_action"
+ | "cooling"
+ | "defrosting"
+ | "drying"
+ | "heating"
+ | "preheating"
+ | "max_target_humidity"
+ | "max_target_temperature"
+ | "min_target_humidity"
+ | "min_target_temperature"
+ | "boost"
+ | "comfort"
+ | "eco"
+ | "sleep"
+ | "presets"
+ | "horizontal_swing_mode"
+ | "swing_mode"
+ | "both"
+ | "horizontal"
+ | "upper_target_temperature"
+ | "lower_target_temperature"
+ | "target_temperature_step"
+ | "stopped"
+ | "garage"
+ | "not_charging"
+ | "disconnected"
+ | "connected"
+ | "hot"
+ | "no_light"
+ | "light_detected"
+ | "not_moving"
+ | "unplugged"
+ | "not_running"
+ | "safe"
+ | "unsafe"
+ | "tampering_detected"
+ | "buffering"
+ | "playing"
+ | "standby"
+ | "app_id"
+ | "local_accessible_entity_picture"
+ | "group_members"
+ | "muted"
+ | "album_artist"
+ | "content_id"
+ | "content_type"
+ | "channels"
+ | "position_updated"
+ | "series"
+ | "all"
+ | "one"
+ | "available_sound_modes"
+ | "available_sources"
+ | "receiver"
+ | "speaker"
+ | "tv"
| "end_time"
| "start_time"
- | "next_event"
- | "garage"
| "event_type"
| "event_types"
| "doorbell"
- | "running_automations"
- | "id"
- | "max_running_automations"
- | "run_mode"
- | "parallel"
- | "queued"
- | "single"
- | "cleaning"
- | "returning_to_dock"
- | "listening"
- | "processing"
- | "responding"
- | "max_running_scripts"
- | "jammed"
- | "locking"
- | "unlocking"
- | "members"
- | "known_hosts"
- | "google_cast_configuration"
- | "confirm_description"
- | "solis_setup_flow"
- | "error_auth"
- | "portal_selection"
- | "name_of_the_inverter"
- | "data_portal_domain"
- | "data_portal_version"
- | "data_portal_username"
- | "portal_password"
- | "data_portal_plant_id"
- | "enter_credentials_and_plantid"
- | "credentials_password_title"
- | "data_portal_key_id"
- | "data_portal_secret"
- | "enter_credentials_and_stationid"
- | "add_soliscloud_credentials"
- | "account_is_already_configured"
- | "abort_already_in_progress"
- | "failed_to_connect"
- | "invalid_access_token"
- | "invalid_authentication"
- | "received_invalid_token_data"
- | "abort_oauth_failed"
- | "timeout_resolving_oauth_token"
- | "abort_oauth_unauthorized"
- | "re_authentication_was_successful"
- | "unexpected_error"
- | "successfully_authenticated"
- | "link_fitbit"
- | "pick_authentication_method"
- | "authentication_expired_for_name"
+ | "above_horizon"
+ | "below_horizon"
+ | "armed_away"
+ | "armed_custom_bypass"
+ | "armed_home"
+ | "armed_night"
+ | "armed_vacation"
+ | "disarming"
+ | "triggered"
+ | "code_for_arming"
+ | "not_required"
+ | "finishes_at"
+ | "remaining"
+ | "restore"
| "device_is_already_configured"
+ | "failed_to_connect"
| "abort_no_devices_found"
+ | "re_authentication_was_successful"
| "re_configuration_was_successful"
| "connection_error_error"
| "unable_to_authenticate_error"
@@ -2292,27 +2501,29 @@ export type LocaleKeys =
| "camera_auth_confirm_description"
| "set_camera_account_credentials"
| "authenticate"
+ | "authentication_expired_for_name"
| "host"
| "reconfigure_description"
| "reconfigure_tplink_entry"
| "abort_single_instance_allowed"
- | "abort_already_configured"
- | "abort_device_updated"
- | "failed_to_authenticate_msg"
- | "error_device_list_failed"
- | "cloud_api_account_configuration"
- | "user_description"
- | "api_server_region"
- | "client_id"
- | "secret"
- | "user_id"
- | "data_no_cloud"
+ | "abort_api_error"
+ | "unsupported_switchbot_type"
+ | "unexpected_error"
+ | "authentication_failed_error_detail"
+ | "error_encryption_key_invalid"
+ | "name_address"
+ | "confirm_description"
+ | "switchbot_account_recommended"
+ | "enter_encryption_key_manually"
+ | "encryption_key"
+ | "key_id"
+ | "password_description"
+ | "mac_address"
| "service_is_already_configured"
- | "invalid_ics_file"
- | "calendar_name"
- | "starting_data"
+ | "abort_already_in_progress"
| "abort_invalid_host"
| "device_not_supported"
+ | "invalid_authentication"
| "name_model_at_host"
| "authenticate_to_the_device"
| "finish_title"
@@ -2320,68 +2531,27 @@ export type LocaleKeys =
| "yes_do_it"
| "unlock_the_device_optional"
| "connect_to_the_device"
- | "abort_missing_credentials"
- | "timeout_establishing_connection"
- | "link_google_account"
- | "path_is_not_allowed"
- | "path_is_not_valid"
- | "path_to_file"
- | "api_key"
- | "configure_daikin_ac"
- | "hacs_is_not_setup"
- | "reauthentication_was_successful"
- | "waiting_for_device_activation"
- | "reauthentication_needed"
- | "reauth_confirm_description"
- | "name_manufacturer_model"
- | "adapter"
- | "multiple_adapters_description"
- | "arm_away_action"
- | "arm_custom_bypass_action"
- | "arm_home_action"
- | "arm_night_action"
- | "arm_vacation_action"
- | "code_arm_required"
- | "disarm_action"
- | "trigger_action"
- | "value_template"
- | "template_alarm_control_panel"
- | "device_class"
- | "state_template"
- | "template_binary_sensor"
- | "actions_on_press"
- | "template_button"
- | "verify_ssl_certificate"
- | "template_image"
- | "actions_on_set_value"
- | "step_value"
- | "template_number"
- | "available_options"
- | "actions_on_select"
- | "template_select"
- | "template_sensor"
- | "actions_on_turn_off"
- | "actions_on_turn_on"
- | "template_switch"
- | "menu_options_alarm_control_panel"
- | "template_a_binary_sensor"
- | "template_a_button"
- | "template_an_image"
- | "template_a_number"
- | "template_a_select"
- | "template_a_sensor"
- | "template_a_switch"
- | "template_helper"
- | "invalid_host"
- | "wrong_smartthings_token"
- | "error_st_device_not_found"
- | "error_st_device_used"
- | "samsungtv_smart_model"
- | "host_or_ip_address"
- | "data_name"
- | "smartthings_generated_token_optional"
- | "smartthings_tv"
- | "smartthings_tv_deviceid"
+ | "user_description"
+ | "account_is_already_configured"
+ | "invalid_access_token"
+ | "received_invalid_token_data"
+ | "abort_oauth_failed"
+ | "timeout_resolving_oauth_token"
+ | "abort_oauth_unauthorized"
+ | "successfully_authenticated"
+ | "link_fitbit"
+ | "pick_authentication_method"
+ | "two_factor_code"
+ | "two_factor_authentication"
+ | "reconfigure_ring_integration"
+ | "sign_in_with_ring_account"
+ | "abort_alternative_integration"
+ | "abort_incomplete_config"
+ | "manual_description"
+ | "manual_title"
+ | "discovered_dlna_dmr_devices"
+ | "broadcast_address"
+ | "broadcast_port"
| "abort_addon_info_failed"
| "abort_addon_install_failed"
| "abort_addon_start_failed"
@@ -2408,48 +2578,47 @@ export type LocaleKeys =
| "starting_add_on"
| "menu_options_addon"
| "menu_options_broker"
- | "bridge_is_already_configured"
- | "no_deconz_bridges_discovered"
- | "abort_no_hardware_available"
- | "abort_updated_instance"
- | "error_linking_not_possible"
- | "error_no_key"
- | "link_with_deconz"
- | "select_discovered_deconz_gateway"
- | "pin_code"
- | "discovered_android_tv"
- | "abort_mdns_missing_mac"
- | "abort_mqtt_missing_api"
- | "abort_mqtt_missing_ip"
- | "abort_mqtt_missing_mac"
- | "missing_mqtt_payload"
- | "action_received"
- | "discovered_esphome_node"
- | "encryption_key"
- | "no_port_for_endpoint"
- | "abort_no_services"
- | "discovered_wyoming_service"
- | "abort_alternative_integration"
- | "abort_incomplete_config"
- | "manual_description"
- | "manual_title"
- | "discovered_dlna_dmr_devices"
+ | "api_key"
+ | "configure_daikin_ac"
+ | "cannot_connect_details_error_detail"
+ | "unknown_details_error_detail"
+ | "uses_an_ssl_certificate"
+ | "verify_ssl_certificate"
+ | "name_manufacturer_model"
+ | "adapter"
+ | "multiple_adapters_description"
| "api_error_occurred"
| "hostname_ip_address"
| "enable_https"
- | "broadcast_address"
- | "broadcast_port"
- | "mac_address"
+ | "hacs_is_not_setup"
+ | "reauthentication_was_successful"
+ | "error_auth"
+ | "waiting_for_device_activation"
+ | "reauthentication_needed"
+ | "reauth_confirm_description"
| "meteorologisk_institutt"
- | "ipv_is_not_supported"
- | "error_custom_port_not_supported"
- | "two_factor_code"
- | "two_factor_authentication"
- | "reconfigure_ring_integration"
- | "sign_in_with_ring_account"
+ | "timeout_establishing_connection"
+ | "link_google_account"
+ | "path_is_not_allowed"
+ | "path_is_not_valid"
+ | "path_to_file"
+ | "pin_code"
+ | "discovered_android_tv"
+ | "abort_already_configured"
+ | "invalid_host"
+ | "wrong_smartthings_token"
+ | "error_st_device_not_found"
+ | "error_st_device_used"
+ | "samsungtv_smart_model"
+ | "host_or_ip_address"
+ | "data_name"
+ | "smartthings_generated_token_optional"
+ | "smartthings_tv"
+ | "smartthings_tv_deviceid"
| "all_entities"
| "hide_members"
| "create_group"
+ | "device_class"
| "ignore_non_numeric"
| "data_round_digits"
| "type"
@@ -2457,128 +2626,161 @@ export type LocaleKeys =
| "button_group"
| "cover_group"
| "event_group"
- | "fan_group"
- | "light_group"
| "lock_group"
| "media_player_group"
| "notify_group"
| "sensor_group"
| "switch_group"
- | "abort_api_error"
- | "unsupported_switchbot_type"
- | "authentication_failed_error_detail"
- | "error_encryption_key_invalid"
- | "name_address"
- | "switchbot_account_recommended"
- | "enter_encryption_key_manually"
- | "key_id"
- | "password_description"
- | "device_address"
- | "cannot_connect_details_error_detail"
- | "unknown_details_error_detail"
- | "uses_an_ssl_certificate"
- | "ignore_cec"
- | "allowed_uuids"
- | "advanced_google_cast_configuration"
- | "device_dev_name_successfully_action"
- | "not_supported"
- | "localtuya_configuration"
- | "init_description"
- | "add_a_new_device"
- | "edit_a_device"
- | "reconfigure_cloud_api_account"
- | "discovered_devices"
- | "edit_a_new_device"
- | "configured_devices"
- | "max_temperature_constant_optional"
- | "min_temperature_constant_optional"
- | "data_hvac_fan_mode_dp"
- | "data_hvac_fan_mode_set"
- | "data_hvac_swing_mode_dp"
- | "data_hvac_swing_mode_set"
- | "cloud_setup_description"
- | "configure_tuya_device"
- | "configure_device_description"
- | "device_id"
- | "local_key"
- | "protocol_version"
- | "data_entities"
- | "data_add_entities"
- | "entity_type_selection"
- | "platform"
- | "data_no_additional_entities"
- | "configure_entity"
- | "friendly_name"
- | "open_close_stop_commands_set"
- | "positioning_mode"
- | "data_current_position_dp"
- | "data_set_position_dp"
- | "data_position_inverted"
- | "scaling_factor"
- | "on_value"
- | "off_value"
- | "data_powergo_dp"
- | "idle_status_comma_separated"
- | "returning_status"
- | "docked_status_comma_separated"
- | "fault_dp_usually"
- | "data_battery_dp"
- | "mode_dp_usually"
- | "modes_list"
- | "return_home_mode"
- | "data_fan_speed_dp"
- | "fan_speeds_list_comma_separated"
- | "data_clean_time_dp"
- | "data_clean_area_dp"
- | "data_clean_record_dp"
- | "locate_dp_usually"
- | "data_paused_state"
- | "stop_status"
- | "data_brightness"
- | "brightness_lower_value"
- | "brightness_upper_value"
- | "color_temperature_reverse"
- | "data_color_temp_min_kelvin"
- | "data_color_temp_max_kelvin"
- | "music_mode_available"
- | "data_select_options"
- | "fan_speed_control_dps"
- | "fan_oscillating_control_dps"
- | "minimum_fan_speed_integer"
- | "maximum_fan_speed_integer"
- | "data_fan_speed_ordered_list"
- | "fan_direction_dps"
- | "forward_dps_string"
- | "reverse_dps_string"
- | "dp_value_type"
- | "temperature_step_optional"
- | "max_temperature_dp_optional"
- | "min_temperature_dp_optional"
- | "data_precision"
- | "data_target_precision"
- | "temperature_unit_optional"
- | "hvac_mode_dp_optional"
- | "hvac_mode_set_optional"
- | "data_hvac_action_dp"
- | "data_hvac_action_set"
- | "presets_dp_optional"
- | "presets_set_optional"
- | "eco_dp_optional"
- | "eco_value_optional"
- | "enable_heuristic_action_optional"
- | "data_dps_default_value"
- | "minimum_increment_between_numbers"
- | "data_calendar_access"
- | "data_process"
- | "abort_pending_tasks"
- | "data_not_in_use"
- | "filter_with_country_code"
+ | "known_hosts"
+ | "google_cast_configuration"
+ | "solis_setup_flow"
+ | "portal_selection"
+ | "name_of_the_inverter"
+ | "data_portal_domain"
+ | "data_portal_version"
+ | "data_portal_username"
+ | "portal_password"
+ | "data_portal_plant_id"
+ | "enter_credentials_and_plantid"
+ | "credentials_password_title"
+ | "data_portal_key_id"
+ | "data_portal_secret"
+ | "enter_credentials_and_stationid"
+ | "add_soliscloud_credentials"
+ | "abort_mdns_missing_mac"
+ | "abort_mqtt_missing_api"
+ | "abort_mqtt_missing_ip"
+ | "abort_mqtt_missing_mac"
+ | "missing_mqtt_payload"
+ | "action_received"
+ | "discovered_esphome_node"
+ | "bridge_is_already_configured"
+ | "no_deconz_bridges_discovered"
+ | "abort_no_hardware_available"
+ | "abort_updated_instance"
+ | "error_linking_not_possible"
+ | "error_no_key"
+ | "link_with_deconz"
+ | "select_discovered_deconz_gateway"
+ | "abort_missing_credentials"
+ | "no_port_for_endpoint"
+ | "abort_no_services"
+ | "discovered_wyoming_service"
+ | "ipv_is_not_supported"
+ | "error_custom_port_not_supported"
+ | "arm_away_action"
+ | "arm_custom_bypass_action"
+ | "arm_home_action"
+ | "arm_night_action"
+ | "arm_vacation_action"
+ | "code_arm_required"
+ | "disarm_action"
+ | "trigger_action"
+ | "value_template"
+ | "template_alarm_control_panel"
+ | "state_template"
+ | "template_binary_sensor"
+ | "actions_on_press"
+ | "template_button"
+ | "template_image"
+ | "actions_on_set_value"
+ | "step_value"
+ | "template_number"
+ | "available_options"
+ | "actions_on_select"
+ | "template_select"
+ | "template_sensor"
+ | "actions_on_turn_off"
+ | "actions_on_turn_on"
+ | "template_switch"
+ | "menu_options_alarm_control_panel"
+ | "template_a_binary_sensor"
+ | "template_a_button"
+ | "template_an_image"
+ | "template_a_number"
+ | "template_a_select"
+ | "template_a_sensor"
+ | "template_a_switch"
+ | "template_helper"
+ | "abort_device_updated"
+ | "failed_to_authenticate_msg"
+ | "error_device_list_failed"
+ | "cloud_api_account_configuration"
+ | "api_server_region"
+ | "client_id"
+ | "secret"
+ | "user_id"
+ | "data_no_cloud"
+ | "abort_not_zha_device"
+ | "abort_usb_probe_failed"
+ | "invalid_backup_json"
+ | "choose_an_automatic_backup"
+ | "restore_automatic_backup"
+ | "choose_formation_strategy_description"
+ | "restore_an_automatic_backup"
+ | "create_a_network"
+ | "keep_radio_network_settings"
+ | "upload_a_manual_backup"
+ | "network_formation"
+ | "serial_device_path"
+ | "select_a_serial_port"
+ | "radio_type"
+ | "manual_pick_radio_type_description"
+ | "port_speed"
+ | "data_flow_control"
+ | "manual_port_config_description"
+ | "serial_port_settings"
+ | "data_overwrite_coordinator_ieee"
+ | "overwrite_radio_ieee_address"
+ | "upload_a_file"
+ | "radio_is_not_recommended"
+ | "invalid_ics_file"
+ | "calendar_name"
+ | "starting_data"
+ | "zha_alarm_options_alarm_arm_requires_code"
+ | "zha_alarm_options_alarm_master_code"
+ | "alarm_control_panel_options"
+ | "zha_options_consider_unavailable_battery"
+ | "zha_options_consider_unavailable_mains"
+ | "zha_options_default_light_transition"
+ | "zha_options_group_members_assume_state"
+ | "zha_options_light_transitioning_flag"
+ | "global_options"
+ | "force_nightlatch_operation_mode"
+ | "retry_count"
+ | "data_process"
+ | "invalid_url"
+ | "data_browse_unfiltered"
+ | "event_listener_callback_url"
+ | "data_listen_port"
+ | "poll_for_device_availability"
+ | "init_title"
+ | "broker_options"
+ | "enable_birth_message"
+ | "birth_message_payload"
+ | "birth_message_qos"
+ | "birth_message_retain"
+ | "birth_message_topic"
+ | "enable_discovery"
+ | "discovery_prefix"
+ | "enable_will_message"
+ | "will_message_payload"
+ | "will_message_qos"
+ | "will_message_retain"
+ | "will_message_topic"
+ | "data_description_discovery"
+ | "mqtt_options"
+ | "passive_scanning"
+ | "protocol"
+ | "abort_pending_tasks"
+ | "data_not_in_use"
+ | "filter_with_country_code"
| "data_release_limit"
| "enable_debug"
| "data_appdaemon"
| "side_panel_icon"
| "side_panel_title"
- | "passive_scanning"
+ | "language_code"
| "samsungtv_smart_options"
| "data_use_st_status_info"
| "data_use_st_channel_info"
@@ -2606,28 +2808,6 @@ export type LocaleKeys =
| "source_list_title"
| "sources_list"
| "error_invalid_tv_list"
- | "broker_options"
- | "enable_birth_message"
- | "birth_message_payload"
- | "birth_message_qos"
- | "birth_message_retain"
- | "birth_message_topic"
- | "enable_discovery"
- | "discovery_prefix"
- | "enable_will_message"
- | "will_message_payload"
- | "will_message_qos"
- | "will_message_retain"
- | "will_message_topic"
- | "data_description_discovery"
- | "mqtt_options"
- | "data_allow_nameless_uuids"
- | "data_new_uuid"
- | "allow_deconz_clip_sensors"
- | "allow_deconz_light_groups"
- | "data_allow_new_devices"
- | "deconz_devices_description"
- | "deconz_options"
| "data_app_delete"
| "application_icon"
| "application_id"
@@ -2635,26 +2815,111 @@ export type LocaleKeys =
| "configure_application_id_app_id"
| "configure_android_apps"
| "configure_applications_list"
- | "invalid_url"
- | "data_browse_unfiltered"
- | "event_listener_callback_url"
- | "data_listen_port"
- | "poll_for_device_availability"
- | "init_title"
- | "protocol"
- | "language_code"
- | "bluetooth_scanner_mode"
- | "force_nightlatch_operation_mode"
- | "retry_count"
+ | "ignore_cec"
+ | "allowed_uuids"
+ | "advanced_google_cast_configuration"
+ | "allow_deconz_clip_sensors"
+ | "allow_deconz_light_groups"
+ | "data_allow_new_devices"
+ | "deconz_devices_description"
+ | "deconz_options"
| "select_test_server"
- | "toggle_entity_name"
- | "turn_off_entity_name"
- | "turn_on_entity_name"
- | "entity_name_is_off"
- | "entity_name_is_on"
- | "trigger_type_changed_states"
- | "entity_name_turned_off"
- | "entity_name_turned_on"
+ | "data_calendar_access"
+ | "bluetooth_scanner_mode"
+ | "device_dev_name_successfully_action"
+ | "not_supported"
+ | "localtuya_configuration"
+ | "init_description"
+ | "add_a_new_device"
+ | "edit_a_device"
+ | "reconfigure_cloud_api_account"
+ | "discovered_devices"
+ | "edit_a_new_device"
+ | "configured_devices"
+ | "max_temperature_constant_optional"
+ | "min_temperature_constant_optional"
+ | "data_hvac_fan_mode_dp"
+ | "data_hvac_fan_mode_set"
+ | "data_hvac_swing_mode_dp"
+ | "data_hvac_swing_mode_set"
+ | "configure_tuya_device"
+ | "configure_device_description"
+ | "device_id"
+ | "local_key"
+ | "protocol_version"
+ | "data_entities"
+ | "data_add_entities"
+ | "entity_type_selection"
+ | "platform"
+ | "data_no_additional_entities"
+ | "configure_entity"
+ | "friendly_name"
+ | "open_close_stop_commands_set"
+ | "positioning_mode"
+ | "data_current_position_dp"
+ | "data_set_position_dp"
+ | "data_position_inverted"
+ | "scaling_factor"
+ | "on_value"
+ | "off_value"
+ | "data_powergo_dp"
+ | "idle_status_comma_separated"
+ | "returning_status"
+ | "docked_status_comma_separated"
+ | "fault_dp_usually"
+ | "data_battery_dp"
+ | "mode_dp_usually"
+ | "modes_list"
+ | "return_home_mode"
+ | "data_fan_speed_dp"
+ | "fan_speeds_list_comma_separated"
+ | "data_clean_time_dp"
+ | "data_clean_area_dp"
+ | "data_clean_record_dp"
+ | "locate_dp_usually"
+ | "data_paused_state"
+ | "stop_status"
+ | "data_brightness"
+ | "brightness_lower_value"
+ | "brightness_upper_value"
+ | "color_temperature_reverse"
+ | "data_color_temp_min_kelvin"
+ | "data_color_temp_max_kelvin"
+ | "music_mode_available"
+ | "data_select_options"
+ | "fan_speed_control_dps"
+ | "fan_oscillating_control_dps"
+ | "minimum_fan_speed_integer"
+ | "maximum_fan_speed_integer"
+ | "data_fan_speed_ordered_list"
+ | "fan_direction_dps"
+ | "forward_dps_string"
+ | "reverse_dps_string"
+ | "dp_value_type"
+ | "temperature_step_optional"
+ | "max_temperature_dp_optional"
+ | "min_temperature_dp_optional"
+ | "data_precision"
+ | "data_target_precision"
+ | "temperature_unit_optional"
+ | "hvac_mode_dp_optional"
+ | "hvac_mode_set_optional"
+ | "data_hvac_action_dp"
+ | "data_hvac_action_set"
+ | "presets_dp_optional"
+ | "presets_set_optional"
+ | "eco_dp_optional"
+ | "eco_value_optional"
+ | "enable_heuristic_action_optional"
+ | "data_dps_default_value"
+ | "minimum_increment_between_numbers"
+ | "data_allow_nameless_uuids"
+ | "data_new_uuid"
+ | "reconfigure_zha"
+ | "unplug_your_old_radio"
+ | "intent_migrate_title"
+ | "re_configure_the_current_radio"
+ | "migrate_or_re_configure"
| "current_entity_name_apparent_power"
| "condition_type_is_aqi"
| "current_entity_name_area"
@@ -2749,15 +3014,82 @@ export type LocaleKeys =
| "entity_name_water_changes"
| "entity_name_weight_changes"
| "entity_name_wind_speed_changes"
- | "action_type_set_hvac_mode"
- | "change_preset_on_entity_name"
+ | "decrease_entity_name_brightness"
+ | "increase_entity_name_brightness"
+ | "flash_entity_name"
+ | "toggle_entity_name"
+ | "turn_off_entity_name"
+ | "turn_on_entity_name"
+ | "entity_name_is_off"
+ | "entity_name_is_on"
+ | "flash"
+ | "trigger_type_changed_states"
+ | "entity_name_turned_off"
+ | "entity_name_turned_on"
+ | "set_value_for_entity_name"
+ | "value"
+ | "entity_name_update_availability_changed"
+ | "entity_name_became_up_to_date"
+ | "trigger_type_update"
+ | "first_button"
+ | "second_button"
+ | "third_button"
+ | "fourth_button"
+ | "fifth_button"
+ | "sixth_button"
+ | "subtype_double_clicked"
+ | "subtype_continuously_pressed"
+ | "trigger_type_button_long_release"
+ | "subtype_quadruple_clicked"
+ | "subtype_quintuple_clicked"
+ | "subtype_pressed"
+ | "subtype_released"
+ | "subtype_triple_clicked"
+ | "entity_name_is_home"
+ | "entity_name_is_not_home"
+ | "entity_name_enters_a_zone"
+ | "entity_name_leaves_a_zone"
+ | "press_entity_name_button"
+ | "entity_name_has_been_pressed"
+ | "let_entity_name_clean"
+ | "action_type_dock"
+ | "entity_name_is_cleaning"
+ | "entity_name_is_docked"
+ | "entity_name_started_cleaning"
+ | "entity_name_docked"
+ | "send_a_notification"
+ | "lock_entity_name"
+ | "open_entity_name"
+ | "unlock_entity_name"
+ | "entity_name_is_locked"
+ | "entity_name_is_open"
+ | "entity_name_is_unlocked"
+ | "entity_name_locked"
+ | "entity_name_opened"
+ | "entity_name_unlocked"
+ | "action_type_set_hvac_mode"
+ | "change_preset_on_entity_name"
| "hvac_mode"
| "to"
| "entity_name_measured_humidity_changed"
| "entity_name_measured_temperature_changed"
| "entity_name_hvac_mode_changed"
- | "set_value_for_entity_name"
- | "value"
+ | "close_entity_name"
+ | "close_entity_name_tilt"
+ | "open_entity_name_tilt"
+ | "set_entity_name_position"
+ | "set_entity_name_tilt_position"
+ | "stop_entity_name"
+ | "entity_name_is_closed"
+ | "entity_name_is_closing"
+ | "entity_name_is_opening"
+ | "current_entity_name_position_is"
+ | "condition_type_is_tilt_position"
+ | "entity_name_closed"
+ | "entity_name_closing"
+ | "entity_name_opening"
+ | "entity_name_position_changes"
+ | "entity_name_tilt_position_changes"
| "entity_name_battery_is_low"
| "entity_name_is_charging"
| "condition_type_is_co"
@@ -2766,7 +3098,6 @@ export type LocaleKeys =
| "entity_name_is_detecting_gas"
| "entity_name_is_hot"
| "entity_name_is_detecting_light"
- | "entity_name_is_locked"
| "entity_name_is_moist"
| "entity_name_is_detecting_motion"
| "entity_name_is_moving"
@@ -2784,11 +3115,9 @@ export type LocaleKeys =
| "entity_name_is_not_cold"
| "entity_name_is_disconnected"
| "entity_name_is_not_hot"
- | "entity_name_is_unlocked"
| "entity_name_is_dry"
| "entity_name_is_not_moving"
| "entity_name_is_not_occupied"
- | "entity_name_is_closed"
| "entity_name_is_unplugged"
| "entity_name_is_not_powered"
| "entity_name_is_not_present"
@@ -2796,7 +3125,6 @@ export type LocaleKeys =
| "condition_type_is_not_tampered"
| "entity_name_is_safe"
| "entity_name_is_occupied"
- | "entity_name_is_open"
| "entity_name_is_plugged_in"
| "entity_name_is_powered"
| "entity_name_is_present"
@@ -2816,7 +3144,6 @@ export type LocaleKeys =
| "entity_name_started_detecting_gas"
| "entity_name_became_hot"
| "entity_name_started_detecting_light"
- | "entity_name_locked"
| "entity_name_became_moist"
| "entity_name_started_detecting_motion"
| "entity_name_started_moving"
@@ -2827,18 +3154,15 @@ export type LocaleKeys =
| "entity_name_stopped_detecting_problem"
| "entity_name_stopped_detecting_smoke"
| "entity_name_stopped_detecting_sound"
- | "entity_name_became_up_to_date"
| "entity_name_stopped_detecting_vibration"
| "entity_name_battery_normal"
| "entity_name_not_charging"
| "entity_name_became_not_cold"
| "entity_name_disconnected"
| "entity_name_became_not_hot"
- | "entity_name_unlocked"
| "entity_name_became_dry"
| "entity_name_stopped_moving"
| "entity_name_became_not_occupied"
- | "entity_name_closed"
| "entity_name_unplugged"
| "entity_name_not_powered"
| "entity_name_not_present"
@@ -2846,7 +3170,6 @@ export type LocaleKeys =
| "entity_name_stopped_detecting_tampering"
| "entity_name_became_safe"
| "entity_name_became_occupied"
- | "entity_name_opened"
| "entity_name_plugged_in"
| "entity_name_powered"
| "entity_name_present"
@@ -2856,7 +3179,6 @@ export type LocaleKeys =
| "entity_name_started_detecting_sound"
| "entity_name_started_detecting_tampering"
| "entity_name_became_unsafe"
- | "trigger_type_update"
| "entity_name_started_detecting_vibration"
| "entity_name_is_buffering"
| "entity_name_is_idle"
@@ -2865,35 +3187,6 @@ export type LocaleKeys =
| "entity_name_starts_buffering"
| "entity_name_becomes_idle"
| "entity_name_starts_playing"
- | "entity_name_is_home"
- | "entity_name_is_not_home"
- | "entity_name_enters_a_zone"
- | "entity_name_leaves_a_zone"
- | "decrease_entity_name_brightness"
- | "increase_entity_name_brightness"
- | "flash_entity_name"
- | "flash"
- | "entity_name_update_availability_changed"
- | "arm_entity_name_away"
- | "arm_entity_name_home"
- | "arm_entity_name_night"
- | "arm_entity_name_vacation"
- | "disarm_entity_name"
- | "trigger_entity_name"
- | "entity_name_is_armed_away"
- | "entity_name_is_armed_home"
- | "entity_name_is_armed_night"
- | "entity_name_is_armed_vacation"
- | "entity_name_is_disarmed"
- | "entity_name_is_triggered"
- | "entity_name_armed_away"
- | "entity_name_armed_home"
- | "entity_name_armed_night"
- | "entity_name_armed_vacation"
- | "entity_name_disarmed"
- | "entity_name_triggered"
- | "press_entity_name_button"
- | "entity_name_has_been_pressed"
| "action_type_select_first"
| "action_type_select_last"
| "action_type_select_next"
@@ -2903,35 +3196,6 @@ export type LocaleKeys =
| "cycle"
| "from"
| "entity_name_option_changed"
- | "close_entity_name"
- | "close_entity_name_tilt"
- | "open_entity_name"
- | "open_entity_name_tilt"
- | "set_entity_name_position"
- | "set_entity_name_tilt_position"
- | "stop_entity_name"
- | "entity_name_is_closing"
- | "entity_name_is_opening"
- | "current_entity_name_position_is"
- | "condition_type_is_tilt_position"
- | "entity_name_closing"
- | "entity_name_opening"
- | "entity_name_position_changes"
- | "entity_name_tilt_position_changes"
- | "first_button"
- | "second_button"
- | "third_button"
- | "fourth_button"
- | "fifth_button"
- | "sixth_button"
- | "subtype_double_clicked"
- | "subtype_continuously_pressed"
- | "trigger_type_button_long_release"
- | "subtype_quadruple_clicked"
- | "subtype_quintuple_clicked"
- | "subtype_pressed"
- | "subtype_released"
- | "subtype_triple_clicked"
| "both_buttons"
| "bottom_buttons"
| "seventh_button"
@@ -2956,13 +3220,6 @@ export type LocaleKeys =
| "trigger_type_remote_rotate_from_side"
| "device_turned_clockwise"
| "device_turned_counter_clockwise"
- | "send_a_notification"
- | "let_entity_name_clean"
- | "action_type_dock"
- | "entity_name_is_cleaning"
- | "entity_name_is_docked"
- | "entity_name_started_cleaning"
- | "entity_name_docked"
| "subtype_button_down"
| "subtype_button_up"
| "subtype_double_push"
@@ -2973,29 +3230,54 @@ export type LocaleKeys =
| "trigger_type_single_long"
| "subtype_single_push"
| "subtype_triple_push"
- | "lock_entity_name"
- | "unlock_entity_name"
+ | "arm_entity_name_away"
+ | "arm_entity_name_home"
+ | "arm_entity_name_night"
+ | "arm_entity_name_vacation"
+ | "disarm_entity_name"
+ | "trigger_entity_name"
+ | "entity_name_is_armed_away"
+ | "entity_name_is_armed_home"
+ | "entity_name_is_armed_night"
+ | "entity_name_is_armed_vacation"
+ | "entity_name_is_disarmed"
+ | "entity_name_is_triggered"
+ | "entity_name_armed_away"
+ | "entity_name_armed_home"
+ | "entity_name_armed_night"
+ | "entity_name_armed_vacation"
+ | "entity_name_disarmed"
+ | "entity_name_triggered"
+ | "action_type_issue_all_led_effect"
+ | "action_type_issue_individual_led_effect"
+ | "squawk"
+ | "warn"
+ | "color_hue"
+ | "duration_in_seconds"
+ | "effect_type"
+ | "led_number"
+ | "with_face_activated"
+ | "with_any_specified_face_s_activated"
+ | "device_dropped"
+ | "device_flipped_subtype"
+ | "device_knocked_subtype"
+ | "device_offline"
+ | "device_rotated_subtype"
+ | "device_slid_subtype"
+ | "device_tilted"
+ | "trigger_type_remote_button_alt_double_press"
+ | "trigger_type_remote_button_alt_long_press"
+ | "trigger_type_remote_button_alt_long_release"
+ | "trigger_type_remote_button_alt_quadruple_press"
+ | "trigger_type_remote_button_alt_quintuple_press"
+ | "subtype_pressed_alternate_mode"
+ | "subtype_released_alternate_mode"
+ | "trigger_type_remote_button_alt_triple_press"
| "add_to_queue"
| "play_next"
| "options_replace"
| "repeat_all"
| "repeat_one"
- | "no_code_format"
- | "no_unit_of_measurement"
- | "critical"
- | "debug"
- | "info"
- | "warning"
- | "create_an_empty_calendar"
- | "options_import_ics_file"
- | "passive"
- | "most_recently_updated"
- | "arithmetic_mean"
- | "median"
- | "product"
- | "statistical_range"
- | "standard_deviation"
- | "fatal"
| "alice_blue"
| "antique_white"
| "aqua"
@@ -3126,52 +3408,22 @@ export type LocaleKeys =
| "wheat"
| "white_smoke"
| "yellow_green"
- | "sets_the_value"
- | "the_target_value"
- | "command"
- | "device_description"
- | "delete_command"
- | "alternative"
- | "command_type_description"
- | "command_type"
- | "timeout_description"
- | "learn_command"
- | "delay_seconds"
- | "hold_seconds"
- | "repeats"
- | "send_command"
- | "sends_the_toggle_command"
- | "turn_off_description"
- | "turn_on_description"
- | "set_datetime_description"
- | "the_target_date"
- | "datetime_description"
- | "date_time"
- | "the_target_time"
- | "creates_a_new_backup"
- | "apply_description"
- | "entities_description"
- | "entities_state"
- | "transition"
- | "apply"
- | "creates_a_new_scene"
- | "scene_id_description"
- | "scene_entity_id"
- | "snapshot_entities"
- | "delete_description"
- | "activates_a_scene"
- | "closes_a_valve"
- | "opens_a_valve"
- | "set_valve_position_description"
- | "target_position"
- | "set_position"
- | "stops_the_valve_movement"
- | "toggles_a_valve_open_closed"
- | "dashboard_path"
- | "view_path"
- | "show_dashboard_view"
- | "finish_description"
- | "duration_description"
+ | "critical"
+ | "debug"
+ | "info"
+ | "warning"
+ | "passive"
+ | "no_code_format"
+ | "no_unit_of_measurement"
+ | "fatal"
+ | "most_recently_updated"
+ | "arithmetic_mean"
+ | "median"
+ | "product"
+ | "statistical_range"
+ | "standard_deviation"
+ | "create_an_empty_calendar"
+ | "options_import_ics_file"
| "sets_a_random_effect"
| "sequence_description"
| "backgrounds"
@@ -3188,6 +3440,7 @@ export type LocaleKeys =
| "saturation_range"
| "segments_description"
| "segments"
+ | "transition"
| "range_of_transition"
| "transition_range"
| "random_effect"
@@ -3198,102 +3451,11 @@ export type LocaleKeys =
| "speed_of_spread"
| "spread"
| "sequence_effect"
- | "check_configuration"
- | "reload_all"
- | "reload_config_entry_description"
- | "config_entry_id"
- | "reload_config_entry"
- | "reload_core_config_description"
- | "reload_core_configuration"
- | "reload_custom_jinja_templates"
- | "restarts_home_assistant"
- | "safe_mode_description"
- | "save_persistent_states"
- | "set_location_description"
- | "elevation_description"
- | "latitude_of_your_location"
- | "longitude_of_your_location"
- | "set_location"
- | "stops_home_assistant"
- | "generic_toggle"
- | "generic_turn_off"
- | "generic_turn_on"
- | "entity_id_description"
- | "entities_to_update"
- | "update_entity"
- | "turns_auxiliary_heater_on_off"
- | "aux_heat_description"
- | "auxiliary_heating"
- | "turn_on_off_auxiliary_heater"
- | "sets_fan_operation_mode"
- | "fan_operation_mode"
- | "set_fan_mode"
- | "sets_target_humidity"
- | "set_target_humidity"
- | "sets_hvac_operation_mode"
- | "hvac_operation_mode"
- | "set_hvac_mode"
- | "sets_preset_mode"
- | "set_preset_mode"
- | "set_swing_horizontal_mode_description"
- | "horizontal_swing_operation_mode"
- | "set_horizontal_swing_mode"
- | "sets_swing_operation_mode"
- | "swing_operation_mode"
- | "set_swing_mode"
- | "sets_the_temperature_setpoint"
- | "the_max_temperature_setpoint"
- | "the_min_temperature_setpoint"
- | "the_temperature_setpoint"
- | "set_target_temperature"
- | "turns_climate_device_off"
- | "turns_climate_device_on"
- | "decrement_description"
- | "increment_description"
- | "reset_description"
- | "set_value_description"
- | "set_datapoint"
- | "set_dp_description"
- | "dp"
- | "datapoint_index"
- | "new_value_to_set"
- | "value_description"
- | "clear_playlist_description"
- | "clear_playlist"
- | "selects_the_next_track"
- | "pauses"
- | "starts_playing"
- | "toggles_play_pause"
- | "selects_the_previous_track"
- | "seek"
- | "stops_playing"
- | "starts_playing_specified_media"
- | "announce"
- | "enqueue"
- | "repeat_mode_to_set"
- | "select_sound_mode_description"
- | "select_sound_mode"
- | "select_source"
- | "shuffle_description"
- | "toggle_description"
- | "unjoin"
- | "turns_down_the_volume"
- | "turn_down_volume"
- | "volume_mute_description"
- | "is_volume_muted_description"
- | "mute_unmute_volume"
- | "sets_the_volume_level"
- | "level"
- | "set_volume"
- | "turns_up_the_volume"
- | "turn_up_volume"
- | "battery_description"
- | "gps_coordinates"
- | "gps_accuracy_description"
- | "hostname_of_the_device"
- | "hostname"
- | "mac_description"
- | "see"
+ | "output_path"
+ | "trigger_a_node_red_flow"
+ | "toggles_the_siren_on_off"
+ | "turns_the_siren_off"
+ | "turns_the_siren_on"
| "brightness_value"
| "a_human_readable_color_name"
| "color_name"
@@ -3306,25 +3468,70 @@ export type LocaleKeys =
| "rgbww_color"
| "white_description"
| "xy_color"
+ | "turn_off_description"
| "brightness_step_description"
| "brightness_step_value"
| "brightness_step_pct_description"
| "brightness_step"
- | "add_event_description"
- | "calendar_id_description"
- | "calendar_id"
- | "description_description"
- | "summary_description"
- | "location_description"
- | "create_event"
- | "apply_filter"
- | "days_to_keep"
- | "repack"
- | "purge"
- | "domains_to_remove"
- | "entity_globs_to_remove"
- | "entities_to_remove"
- | "purge_entities"
+ | "toggles_the_helper_on_off"
+ | "turns_off_the_helper"
+ | "turns_on_the_helper"
+ | "pauses_the_mowing_task"
+ | "starts_the_mowing_task"
+ | "creates_a_new_backup"
+ | "sets_the_value"
+ | "enter_your_text"
+ | "set_value"
+ | "clear_lock_user_code_description"
+ | "code_slot_description"
+ | "code_slot"
+ | "clear_lock_user"
+ | "disable_lock_user_code_description"
+ | "code_slot_to_disable"
+ | "disable_lock_user"
+ | "enable_lock_user_code_description"
+ | "code_slot_to_enable"
+ | "enable_lock_user"
+ | "args_description"
+ | "args"
+ | "cluster_id_description"
+ | "cluster_id"
+ | "type_of_the_cluster"
+ | "cluster_type"
+ | "command_description"
+ | "command"
+ | "command_type_description"
+ | "command_type"
+ | "endpoint_id_description"
+ | "endpoint_id"
+ | "ieee_description"
+ | "ieee"
+ | "manufacturer"
+ | "params_description"
+ | "params"
+ | "issue_zigbee_cluster_command"
+ | "group_description"
+ | "issue_zigbee_group_command"
+ | "permit_description"
+ | "time_to_permit_joins"
+ | "install_code"
+ | "qr_code"
+ | "source_ieee"
+ | "permit"
+ | "reconfigure_device"
+ | "remove_description"
+ | "set_lock_user_code_description"
+ | "code_to_set"
+ | "set_lock_user_code"
+ | "attribute_description"
+ | "value_description"
+ | "set_zigbee_cluster_attribute"
+ | "level"
+ | "strobe"
+ | "warning_device_squawk"
+ | "duty_cycle"
+ | "intensity"
+ | "warning_device_starts_alert"
| "dump_log_objects"
| "log_current_tasks_description"
| "log_current_asyncio_tasks"
@@ -3350,27 +3557,308 @@ export type LocaleKeys =
| "stop_logging_object_sources"
| "stop_log_objects_description"
| "stop_logging_objects"
+ | "set_default_level_description"
+ | "level_description"
+ | "set_default_level"
+ | "set_level"
+ | "stops_a_running_script"
+ | "clear_skipped_update"
+ | "install_update"
+ | "skip_description"
+ | "skip_update"
+ | "decrease_speed_description"
+ | "decrease_speed"
+ | "increase_speed_description"
+ | "increase_speed"
+ | "oscillate_description"
+ | "turns_oscillation_on_off"
+ | "set_direction_description"
+ | "direction_description"
+ | "set_direction"
+ | "set_percentage_description"
+ | "speed_of_the_fan"
+ | "percentage"
+ | "set_speed"
+ | "sets_preset_fan_mode"
+ | "preset_fan_mode"
+ | "set_preset_mode"
+ | "toggles_a_fan_on_off"
+ | "turns_fan_off"
+ | "turns_fan_on"
+ | "set_datetime_description"
+ | "the_target_date"
+ | "datetime_description"
+ | "date_time"
+ | "the_target_time"
+ | "log_description"
+ | "entity_id_description"
+ | "message_description"
+ | "log"
+ | "request_sync_description"
+ | "agent_user_id"
+ | "request_sync"
+ | "apply_description"
+ | "entities_description"
+ | "entities_state"
+ | "apply"
+ | "creates_a_new_scene"
+ | "entity_states"
+ | "scene_id_description"
+ | "scene_entity_id"
+ | "entities_snapshot"
+ | "delete_description"
+ | "activates_a_scene"
| "reload_themes_description"
| "reload_themes"
| "name_of_a_theme"
| "set_the_default_theme"
+ | "decrement_description"
+ | "increment_description"
+ | "reset_description"
+ | "set_value_description"
+ | "check_configuration"
+ | "reload_all"
+ | "reload_config_entry_description"
+ | "config_entry_id"
+ | "reload_config_entry"
+ | "reload_core_config_description"
+ | "reload_core_configuration"
+ | "reload_custom_jinja_templates"
+ | "restarts_home_assistant"
+ | "safe_mode_description"
+ | "save_persistent_states"
+ | "set_location_description"
+ | "elevation_description"
+ | "latitude_of_your_location"
+ | "longitude_of_your_location"
+ | "set_location"
+ | "stops_home_assistant"
+ | "generic_toggle"
+ | "generic_turn_off"
+ | "generic_turn_on"
+ | "entities_to_update"
+ | "update_entity"
+ | "notify_description"
+ | "data"
+ | "title_for_your_notification"
+ | "title_of_the_notification"
+ | "send_a_persistent_notification"
+ | "sends_a_notification_message"
+ | "your_notification_message"
+ | "title_description"
+ | "send_a_notification_message"
+ | "send_magic_packet"
+ | "topic_to_listen_to"
+ | "topic"
+ | "export"
+ | "publish_description"
+ | "evaluate_payload"
+ | "the_payload_to_publish"
+ | "payload"
+ | "payload_template"
+ | "qos"
+ | "retain"
+ | "topic_to_publish_to"
+ | "publish"
+ | "load_url_description"
+ | "url_to_load"
+ | "load_url"
+ | "configuration_parameter_to_set"
+ | "key"
+ | "set_configuration"
+ | "application_description"
+ | "application"
+ | "start_application"
+ | "battery_description"
+ | "gps_coordinates"
+ | "gps_accuracy_description"
+ | "hostname_of_the_device"
+ | "hostname"
+ | "mac_description"
+ | "see"
+ | "device_description"
+ | "delete_command"
+ | "alternative"
+ | "timeout_description"
+ | "learn_command"
+ | "delay_seconds"
+ | "hold_seconds"
+ | "repeats"
+ | "send_command"
+ | "sends_the_toggle_command"
+ | "turn_on_description"
+ | "get_weather_forecast"
+ | "type_description"
+ | "forecast_type"
+ | "get_forecast"
+ | "get_weather_forecasts"
+ | "get_forecasts"
+ | "press_the_button_entity"
+ | "enable_remote_access"
+ | "disable_remote_access"
+ | "create_description"
+ | "notification_id"
+ | "dismiss_description"
+ | "notification_id_description"
+ | "dismiss_all_description"
+ | "locate_description"
+ | "pauses_the_cleaning_task"
+ | "send_command_description"
+ | "parameters"
+ | "set_fan_speed"
+ | "start_description"
+ | "start_pause_description"
+ | "stop_description"
+ | "toggle_description"
+ | "play_chime_description"
+ | "target_chime"
+ | "ringtone_to_play"
+ | "ringtone"
+ | "play_chime"
+ | "ptz_move_description"
+ | "ptz_move_speed"
+ | "ptz_move"
+ | "disables_the_motion_detection"
+ | "disable_motion_detection"
+ | "enables_the_motion_detection"
+ | "enable_motion_detection"
+ | "format_description"
+ | "format"
+ | "media_player_description"
+ | "play_stream"
+ | "filename_description"
+ | "filename"
+ | "lookback"
+ | "snapshot_description"
+ | "full_path_to_filename"
+ | "take_snapshot"
+ | "turns_off_the_camera"
+ | "turns_on_the_camera"
+ | "reload_resources_description"
| "clear_tts_cache"
| "cache"
| "language_description"
| "options_description"
| "say_a_tts_message"
- | "media_player_entity_id_description"
| "media_player_entity"
| "speak"
- | "reload_resources_description"
- | "toggles_the_siren_on_off"
- | "turns_the_siren_off"
- | "turns_the_siren_on"
- | "toggles_the_helper_on_off"
- | "turns_off_the_helper"
- | "turns_on_the_helper"
- | "pauses_the_mowing_task"
- | "starts_the_mowing_task"
+ | "send_text_command"
+ | "the_target_value"
+ | "removes_a_group"
+ | "object_id"
+ | "creates_updates_a_group"
+ | "add_entities"
+ | "icon_description"
+ | "name_of_the_group"
+ | "remove_entities"
+ | "locks_a_lock"
+ | "code_description"
+ | "opens_a_lock"
+ | "unlocks_a_lock"
+ | "announce_description"
+ | "media_id"
+ | "the_message_to_announce"
+ | "announce"
+ | "reloads_the_automation_configuration"
+ | "trigger_description"
+ | "skip_conditions"
+ | "trigger"
+ | "disables_an_automation"
+ | "stops_currently_running_actions"
+ | "stop_actions"
+ | "enables_an_automation"
+ | "deletes_all_log_entries"
+ | "write_log_entry"
+ | "log_level"
+ | "message_to_log"
+ | "write"
+ | "dashboard_path"
+ | "view_path"
+ | "show_dashboard_view"
+ | "process_description"
+ | "agent"
+ | "conversation_id"
+ | "transcribed_text_input"
+ | "process"
+ | "reloads_the_intent_configuration"
+ | "conversation_agent_to_reload"
+ | "closes_a_cover"
+ | "close_cover_tilt_description"
+ | "close_tilt"
+ | "opens_a_cover"
+ | "tilts_a_cover_open"
+ | "open_tilt"
+ | "set_cover_position_description"
+ | "target_position"
+ | "set_position"
+ | "target_tilt_positition"
+ | "set_tilt_position"
+ | "stops_the_cover_movement"
+ | "stop_cover_tilt_description"
+ | "stop_tilt"
+ | "toggles_a_cover_open_closed"
+ | "toggle_cover_tilt_description"
+ | "toggle_tilt"
+ | "turns_auxiliary_heater_on_off"
+ | "aux_heat_description"
+ | "auxiliary_heating"
+ | "turn_on_off_auxiliary_heater"
+ | "sets_fan_operation_mode"
+ | "fan_operation_mode"
+ | "set_fan_mode"
+ | "sets_target_humidity"
+ | "set_target_humidity"
+ | "sets_hvac_operation_mode"
+ | "hvac_operation_mode"
+ | "set_hvac_mode"
+ | "sets_preset_mode"
+ | "set_swing_horizontal_mode_description"
+ | "horizontal_swing_operation_mode"
+ | "set_horizontal_swing_mode"
+ | "sets_swing_operation_mode"
+ | "swing_operation_mode"
+ | "set_swing_mode"
+ | "sets_the_temperature_setpoint"
+ | "the_max_temperature_setpoint"
+ | "the_min_temperature_setpoint"
+ | "the_temperature_setpoint"
+ | "set_target_temperature"
+ | "turns_climate_device_off"
+ | "turns_climate_device_on"
+ | "apply_filter"
+ | "days_to_keep"
+ | "repack"
+ | "purge"
+ | "domains_to_remove"
+ | "entity_globs_to_remove"
+ | "entities_to_remove"
+ | "purge_entities"
+ | "clear_playlist_description"
+ | "clear_playlist"
+ | "selects_the_next_track"
+ | "pauses"
+ | "starts_playing"
+ | "toggles_play_pause"
+ | "selects_the_previous_track"
+ | "seek"
+ | "stops_playing"
+ | "starts_playing_specified_media"
+ | "enqueue"
+ | "repeat_mode_to_set"
+ | "select_sound_mode_description"
+ | "select_sound_mode"
+ | "select_source"
+ | "shuffle_description"
+ | "unjoin"
+ | "turns_down_the_volume"
+ | "turn_down_volume"
+ | "volume_mute_description"
+ | "is_volume_muted_description"
+ | "mute_unmute_volume"
+ | "sets_the_volume_level"
+ | "set_volume"
+ | "turns_up_the_volume"
+ | "turn_up_volume"
| "restarts_an_add_on"
| "the_add_on_to_restart"
| "restart_add_on"
@@ -3409,40 +3897,6 @@ export type LocaleKeys =
| "restore_partial_description"
| "restores_home_assistant"
| "restore_from_partial_backup"
- | "decrease_speed_description"
- | "decrease_speed"
- | "increase_speed_description"
- | "increase_speed"
- | "oscillate_description"
- | "turns_oscillation_on_off"
- | "set_direction_description"
- | "direction_description"
- | "set_direction"
- | "set_percentage_description"
- | "speed_of_the_fan"
- | "percentage"
- | "set_speed"
- | "sets_preset_fan_mode"
- | "preset_fan_mode"
- | "toggles_a_fan_on_off"
- | "turns_fan_off"
- | "turns_fan_on"
- | "get_weather_forecast"
- | "type_description"
- | "forecast_type"
- | "get_forecast"
- | "get_weather_forecasts"
- | "get_forecasts"
- | "clear_skipped_update"
- | "install_update"
- | "skip_description"
- | "skip_update"
- | "code_description"
- | "arm_with_custom_bypass"
- | "alarm_arm_vacation_description"
- | "disarms_the_alarm"
- | "trigger_the_alarm_manually"
- | "trigger"
| "selects_the_first_option"
| "first"
| "selects_the_last_option"
@@ -3450,77 +3904,16 @@ export type LocaleKeys =
| "selects_an_option"
| "option_to_be_selected"
| "selects_the_previous_option"
- | "disables_the_motion_detection"
- | "disable_motion_detection"
- | "enables_the_motion_detection"
- | "enable_motion_detection"
- | "format_description"
- | "format"
- | "media_player_description"
- | "play_stream"
- | "filename_description"
- | "filename"
- | "lookback"
- | "snapshot_description"
- | "full_path_to_filename"
- | "take_snapshot"
- | "turns_off_the_camera"
- | "turns_on_the_camera"
- | "press_the_button_entity"
+ | "add_event_description"
+ | "location_description"
| "start_date_description"
+ | "create_event"
| "get_events"
- | "select_the_next_option"
- | "sets_the_options"
- | "list_of_options"
- | "set_options"
- | "closes_a_cover"
- | "close_cover_tilt_description"
- | "close_tilt"
- | "opens_a_cover"
- | "tilts_a_cover_open"
- | "open_tilt"
- | "set_cover_position_description"
- | "target_tilt_positition"
- | "set_tilt_position"
- | "stops_the_cover_movement"
- | "stop_cover_tilt_description"
- | "stop_tilt"
- | "toggles_a_cover_open_closed"
- | "toggle_cover_tilt_description"
- | "toggle_tilt"
- | "request_sync_description"
- | "agent_user_id"
- | "request_sync"
- | "log_description"
- | "message_description"
- | "log"
- | "enter_your_text"
- | "set_value"
- | "topic_to_listen_to"
- | "topic"
- | "export"
- | "publish_description"
- | "evaluate_payload"
- | "the_payload_to_publish"
- | "payload"
- | "payload_template"
- | "qos"
- | "retain"
- | "topic_to_publish_to"
- | "publish"
- | "reloads_the_automation_configuration"
- | "trigger_description"
- | "skip_conditions"
- | "disables_an_automation"
- | "stops_currently_running_actions"
- | "stop_actions"
- | "enables_an_automation"
- | "enable_remote_access"
- | "disable_remote_access"
- | "set_default_level_description"
- | "level_description"
- | "set_default_level"
- | "set_level"
+ | "closes_a_valve"
+ | "opens_a_valve"
+ | "set_valve_position_description"
+ | "stops_the_valve_movement"
+ | "toggles_a_valve_open_closed"
| "bridge_identifier"
| "configuration_payload"
| "entity_description"
@@ -3529,85 +3922,34 @@ export type LocaleKeys =
| "device_refresh_description"
| "device_refresh"
| "remove_orphaned_entries"
- | "locate_description"
- | "pauses_the_cleaning_task"
- | "send_command_description"
- | "command_description"
- | "parameters"
- | "set_fan_speed"
- | "start_description"
- | "start_pause_description"
- | "stop_description"
- | "output_path"
- | "trigger_a_node_red_flow"
- | "toggles_a_switch_on_off"
- | "turns_a_switch_off"
- | "turns_a_switch_on"
+ | "calendar_id_description"
+ | "calendar_id"
+ | "description_description"
+ | "summary_description"
| "extract_media_url_description"
| "format_query"
| "url_description"
| "media_url"
| "get_media_url"
| "play_media_description"
- | "notify_description"
- | "data"
- | "title_for_your_notification"
- | "title_of_the_notification"
- | "send_a_persistent_notification"
- | "sends_a_notification_message"
- | "your_notification_message"
- | "title_description"
- | "send_a_notification_message"
- | "process_description"
- | "agent"
- | "conversation_id"
- | "transcribed_text_input"
- | "process"
- | "reloads_the_intent_configuration"
- | "conversation_agent_to_reload"
- | "play_chime_description"
- | "target_chime"
- | "ringtone_to_play"
- | "ringtone"
- | "play_chime"
- | "ptz_move_description"
- | "ptz_move_speed"
- | "ptz_move"
- | "send_magic_packet"
- | "send_text_command"
- | "announce_description"
- | "media_id"
- | "the_message_to_announce"
- | "deletes_all_log_entries"
- | "write_log_entry"
- | "log_level"
- | "message_to_log"
- | "write"
- | "locks_a_lock"
- | "opens_a_lock"
- | "unlocks_a_lock"
- | "removes_a_group"
- | "object_id"
- | "creates_updates_a_group"
- | "add_entities"
- | "icon_description"
- | "name_of_the_group"
- | "remove_entities"
- | "stops_a_running_script"
- | "create_description"
- | "notification_id"
- | "dismiss_description"
- | "notification_id_description"
- | "dismiss_all_description"
- | "load_url_description"
- | "url_to_load"
- | "load_url"
- | "configuration_parameter_to_set"
- | "key"
- | "set_configuration"
- | "application_description"
- | "application"
- | "start_application"
+ | "select_the_next_option"
+ | "sets_the_options"
+ | "list_of_options"
+ | "set_options"
+ | "arm_with_custom_bypass"
+ | "alarm_arm_vacation_description"
+ | "disarms_the_alarm"
+ | "trigger_the_alarm_manually"
+ | "set_datapoint"
+ | "set_dp_description"
+ | "dp"
+ | "datapoint_index"
+ | "new_value_to_set"
+ | "finish_description"
+ | "duration_description"
+ | "toggles_a_switch_on_off"
+ | "turns_a_switch_off"
+ | "turns_a_switch_on"
| "ui_components_date_range_picker_ranges_last_week"
| "ui_components_service_control_target_description"
| "event_not_all_required_fields"
@@ -3663,6 +4005,7 @@ export type LocaleKeys =
| "ui_panel_lovelace_editor_edit_section_title_title"
| "ui_panel_lovelace_editor_edit_section_title_title_new"
| "panel_shopping_list"
+ | "ui_common_dont_save"
| "ui_components_selectors_image_select_image"
| "ui_components_selectors_background_yaml_info"
| "ui_components_logbook_triggered_by_service"
@@ -3671,6 +4014,7 @@ export type LocaleKeys =
| "ui_components_floor_picker_add_dialog_title"
| "ui_components_picture_upload_change_picture"
| "ui_components_color_picker_default_color"
+ | "ui_components_multi_textfield_add_item"
| "tags"
| "ui_dialogs_more_info_control_update_create_backup"
| "ui_dialogs_entity_registry_editor_hidden_description"
@@ -3699,6 +4043,12 @@ export type LocaleKeys =
| "ui_panel_lovelace_editor_delete_section_text_unnamed_section_only"
| "ui_panel_lovelace_editor_condition_editor_condition_state_current_state"
| "ui_panel_lovelace_editor_card_map_dark_mode"
+ | "ui_panel_lovelace_editor_card_todo_list_display_order"
+ | "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc"
+ | "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_desc"
+ | "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc"
+ | "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc"
+ | "ui_panel_lovelace_editor_card_todo_list_sort_modes_manual"
| "ui_panel_lovelace_editor_card_tile_actions"
| "ui_panel_lovelace_editor_badge_entity_display_type_options_complete"
| "ui_panel_lovelace_editor_badge_entity_display_type_options_minimal"
@@ -3706,35 +4056,39 @@ export type LocaleKeys =
| "ui_panel_lovelace_editor_features_types_number_label"
| "ui_panel_lovelace_editor_strategy_original_states_hidden_areas"
| "ui_panel_lovelace_editor_sub_element_editor_types_heading_entity"
- | "trigger_type_remote_button_long_release"
+ | "create_event_description"
| "ui_panel_lovelace_editor_edit_card_tab_visibility"
| "ui_components_area_picker_add_dialog_name"
| "ui_components_service_control_data"
| "ui_card_lock_open_door_success"
| "ui_panel_lovelace_editor_card_tile_default_color"
+ | "ui_panel_lovelace_editor_card_tile_state_content_options_state"
| "trigger_type_turned_on"
+ | "media_player_entity_id_description"
| "ui_components_date_range_picker_ranges_last_year"
| "restart_safe_mode_failed"
- | "create_event_description"
+ | "trigger_type_remote_button_long_release"
| "welcome_playstore"
| "welcome_appstore"
| "ui_panel_lovelace_editor_edit_card_tab_config"
| "statistics_graph_fit_y_data"
- | "ui_panel_lovelace_editor_card_tile_state_content_options_state"
| "ui_panel_lovelace_editor_features_types_number_style"
+ | "bluetooth_confirm_description"
| "error_already_in_progress"
| "component_nodered_config_step_user_title"
| "ui_components_date_range_picker_ranges_last_month"
+ | "confirm_hardware_description"
| "ui_components_floor_picker_add_dialog_failed_create_floor"
| "google_home_fallback_linked_matter_apps_services"
| "ui_panel_lovelace_editor_action_editor_actions_call_service"
+ | "ui_panel_lovelace_editor_card_todo_list_sort_modes_none"
| "ui_panel_lovelace_editor_features_types_number_style_list_slider"
| "error_invalid_host"
| "ui_components_floor_picker_add_dialog_name"
| "ui_panel_lovelace_editor_features_types_number_style_list_buttons"
| "ui_panel_lovelace_components_energy_period_selector_today"
| "ui_components_floor_picker_add_dialog_add"
- | "bluetooth_confirm_description"
+ | "menu_options_intent_migrate"
| "ui_panel_lovelace_editor_card_heading_entity_config_content"
| "condition_type_is_volatile_organic_compounds_parts"
| "trigger_type_volatile_organic_compounds_parts";
diff --git a/packages/core/src/hooks/useLocale/locales/uk/uk.json b/packages/core/src/hooks/useLocale/locales/uk/uk.json
index 757c6fb8..fc61981b 100644
--- a/packages/core/src/hooks/useLocale/locales/uk/uk.json
+++ b/packages/core/src/hooks/useLocale/locales/uk/uk.json
@@ -78,14 +78,14 @@
"open_cover_tilt": "Нахил відкритої кришки",
"close_cover_tilt": "Нахил закритої кришки",
"stop_cover": "Зупинити кришку",
- "preset_mode": "Preset mode",
+ "preset_mode": "Попередньо встановлений режим",
"oscillate": "Oscillate",
"direction": "Direction",
"forward": "Forward",
"reverse": "Reverse",
"medium": "Середній",
"target_humidity": "Цільова вологість.",
- "state": "Стан",
+ "state": "State",
"name_target_humidity": "{name} цільова вологість",
"name_current_humidity": "{name} поточна вологість",
"name_humidifying": "{name} зволожує",
@@ -134,12 +134,11 @@
"cancel": "Cancel",
"cancel_number": "Скасувати {number}",
"cancel_all": "Скасувати всі",
- "idle": "Idle",
"run_script": "Запустити скрипт",
"option": "Option",
"installing": "Встановлення",
"installing_progress": "Встановлення ({progress}%)",
- "up_to_date": "Up-to-date",
+ "up_to_date": "Актуальний",
"empty_value": "(пусте значення)",
"start": "Start",
"finish": "Finish",
@@ -223,7 +222,8 @@
"copied_to_clipboard": "Скопійовано в буфер обміну",
"name": "Name",
"optional": "необовʼязково",
- "default": "Default",
+ "default": "За замовчуванням",
+ "ui_common_dont_save": "Не зберігати",
"select_media_player": "Вибрати медіаплеєр",
"media_browse_not_supported": "Медіаплеєр не підтримує перегляд медіа.",
"pick_media": "Вибір медіафайлів",
@@ -245,6 +245,7 @@
"area": "Area",
"attribute": "Атрибут",
"boolean": "Логічні",
+ "condition": "Стан",
"date": "Date",
"date_and_time": "Дата і час",
"duration": "Duration",
@@ -572,7 +573,7 @@
"url": "URL",
"video": "Відео",
"media_browser_media_player_unavailable": "Вибраний медіаплеєр недоступний.",
- "auto": "Авто",
+ "auto": "Автоматично",
"grid": "Сітка",
"list": "Список",
"task_name": "Назва завдання",
@@ -649,6 +650,7 @@
"last_updated": "Останнє оновлення",
"remaining_time": "Час, що залишився",
"install_status": "Статус встановлення",
+ "ui_components_multi_textfield_add_item": "Додати {item}",
"safe_mode": "Safe mode",
"all_yaml_configuration": "Усю конфігурацію YAML",
"domain": "Domain",
@@ -752,7 +754,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Створити резервну копію перед оновленням",
"update_instructions": "Інструкції по оновленню",
"current_activity": "Поточна діяльність",
- "status": "Статус",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Команди:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -786,7 +788,7 @@
"default_code": "Код за замовчуванням",
"editor_default_code_error": "Код не відповідає формату коду",
"entity_id": "Entity ID",
- "unit": "Одиниця виміру",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "Одиниця виміру опадів",
"display_precision": "Точність",
"default_value": "За замовчуванням ({value})",
@@ -807,7 +809,7 @@
"cold": "Охолодження",
"connectivity": "Зв'язок",
"gas": "Газ",
- "heat": "Обігрівання",
+ "heat": "Обігрів",
"light": "Освітлення",
"motion": "Рух",
"moving": "Переміщення",
@@ -869,7 +871,7 @@
"restart_home_assistant": "Перезапустити Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Швидке перезавантаження",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Перезавантаження конфігурації",
"failed_to_reload_configuration": "Не вдалося перезавантажити конфігурацію",
"restart_description": "Перериває всі запущені автоматизації та скрипти.",
@@ -899,8 +901,8 @@
"password": "Password",
"regex_pattern": "Шаблон регулярного виразу",
"used_for_client_side_validation": "Використовується для перевірки на стороні клієнта",
- "minimum_value": "Мінімальне значення",
- "maximum_value": "Максимальне значення",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Поле введення",
"slider": "Слайдер",
"step_size": "Розмір кроку",
@@ -944,7 +946,7 @@
"ui_dialogs_zha_device_info_confirmations_remove": "Ви впевнені, що хочете вилучити пристрій?",
"quirk": "Нестандартний обробник",
"last_seen": "Пристрій був в мережі",
- "power_source": "Джерело живлення",
+ "power_source": "Power source",
"device_debug_info": "Інформація про налагодження {device}",
"mqtt_device_debug_info_deserialize": "Розібрати MQTT повідомлення як JSON",
"no_entities": "Немає сутностей",
@@ -1218,7 +1220,7 @@
"ui_panel_lovelace_editor_edit_view_type_helper_sections": "Ви не можете змінити свої вкладки на \"секції\", оскільки міграція ще не підтримується. Якщо ви хочете поекспериментувати з \"секціями\", почніть з нуля з новою вкладкою.",
"card_configuration": "Конфігурація картки",
"type_card_configuration": "Конфігурація картки {type}",
- "edit_card_pick_card": "Яку картку ви хотіли б додати?",
+ "add_to_dashboard": "Додати на інформаційну панель",
"toggle_editor": "Перемкнути редактор",
"you_have_unsaved_changes": "Ви маєте незбережені зміни",
"edit_card_confirm_cancel": "Ви впевнені, що хочете скасувати?",
@@ -1246,7 +1248,6 @@
"edit_badge_pick_badge": "Який бейдж ви б хотіли додати?",
"add_badge": "Додати бейдж",
"suggest_card_header": "Варіант відображення в інтерфейсі користувача",
- "add_to_dashboard": "Додати на інформаційну панель",
"move_card_strategy_error_title": "Неможливо перемістити картку",
"card_moved_successfully": "Картку успішно переміщено",
"error_while_moving_card": "Помилка під час переміщення картки",
@@ -1346,6 +1347,7 @@
"history_graph_fit_y_data": "Розширити межі осі Y, щоб вмістити дані",
"statistics_graph": "Статистичний графік",
"period": "Період",
+ "unit": "Одиниця виміру",
"show_stat_types": "Показати типи статистики",
"chart_type": "Тип графіка",
"line": "Лінія",
@@ -1419,6 +1421,11 @@
"show_more_detail": "Більше деталей на графіку",
"to_do_list": "Список справ",
"hide_completed_items": "Сховати завершені",
+ "ui_panel_lovelace_editor_card_todo_list_display_order": "Порядок відображення",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc": "За алфавітом (А-Я)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_desc": "За алфавітом (Я-А)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc": "За терміном виконання (спочатку найближчий)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc": "За терміном виконання (спочатку найпізніший)",
"thermostat": "Термостат",
"thermostat_show_current_as_primary": "Показувати поточну температуру як основну інформацію",
"tile": "Плитка",
@@ -1544,147 +1551,126 @@
"now": "Зараз",
"compare_data": "Порівняти Дані",
"reload_ui": "Перезавантажити інтерфейс",
- "tag": "Tag",
- "input_datetime": "Дата та час",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Таймер",
- "local_calendar": "Місцевий календар",
- "intent": "Intent",
- "device_tracker": "Трекер пристрою",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Логічне значення",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "tag": "Tag",
+ "media_source": "Media Source",
+ "mobile_app": "Мобільний застосунок",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Діагностика",
+ "filesize": "Розмір файлу",
+ "group": "Група",
+ "binary_sensor": "Бінарний сенсор",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "device_automation": "Device Automation",
+ "person": "Особа",
+ "input_button": "Кнопка введення",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Скрипт",
"fan": "Вентилятор",
- "weather": "Погода",
- "camera": "Камера",
+ "scene": "Scene",
"schedule": "Розклад",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Автоматизація",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Погода",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Розмова",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Текст",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Клімат",
- "binary_sensor": "Бінарний сенсор",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Автоматизація",
+ "system_log": "System Log",
+ "cover": "Штори, жалюзі, ворота",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Штори, жалюзі, ворота",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Місцевий календар",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Сирена",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Трекер пристрою",
+ "remote": "Пульт дистанційного керування",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Пилосос",
+ "reolink": "Reolink",
+ "camera": "Камера",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Пульт дистанційного керування",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Лічильник",
- "filesize": "Розмір файлу",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi power supply checker",
+ "conversation": "Розмова",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Клімат",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Логічне значення",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Панель керування сигналізацією",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Мобільний застосунок",
+ "timer": "Таймер",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Дата та час",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Лічильник",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Облікові дані програми",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Група",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Діагностика",
- "person": "Особа",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Текст",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Облікові дані програми",
- "siren": "Сирена",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Кнопка введення",
- "vacuum": "Пилосос",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi power supply checker",
- "assist_satellite": "Assist satellite",
- "script": "Скрипт",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
- "closed": "Зачинено",
+ "closed": "Closed",
"overheated": "Overheated",
"temperature_warning": "Temperature warning",
- "update_available": "Update available",
+ "update_available": "Доступне оновлення",
"dry": "Осушення",
"wet": "Волого",
"pan_left": "Pan left",
@@ -1706,6 +1692,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Загальне споживання",
@@ -1731,31 +1718,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Наступний світанок",
- "next_dusk": "Наступні сутінки",
- "next_midnight": "Наступна північ",
- "next_noon": "Наступний полудень",
- "next_rising": "Наступний схід",
- "next_setting": "Наступний захід",
- "solar_azimuth": "Азимут сонця",
- "solar_elevation": "Висота сонця",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Освітленість",
- "noise": "Шум",
- "overload": "Перевантаження",
- "working_location": "Working location",
- "created": "Created",
- "size": "Розмір",
- "size_in_bytes": "Розмір у байтах",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Внутрішня температура",
- "outside_temperature": "Зовнішня температура",
+ "calibration": "Калібрування",
+ "auto_lock_paused": "Автоматичне блокування призупинено",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Не на сигналізації",
+ "unlocked_alarm": "Розблокована сигналізація",
+ "bluetooth_signal": "Сигнал Bluetooth",
+ "light_level": "Рівень освітлення",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Миттєво",
+ "pull_retract": "Витягнути/втягнути",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1777,33 +1749,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "Версія агента ОС",
- "apparmor_version": "Версія Apparmor",
- "cpu_percent": "Відсоток ЦП",
- "disk_free": "Диск вільно",
- "disk_total": "Диск всього",
- "disk_used": "Диск використовується",
- "memory_percent": "Відсоток пам'яті",
- "version": "Version",
- "newest_version": "Найновіша версія",
+ "day_of_week": "Day of week",
+ "illuminance": "Освітленість",
+ "noise": "Шум",
+ "overload": "Перевантаження",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Синхронізувати пристрої",
- "estimated_distance": "Орієнтовна відстань",
- "vendor": "Постачальник",
- "quiet": "Тихо",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Остання активність",
+ "last_ding": "Останній дзвін",
+ "last_motion": "Останній рух",
+ "wi_fi_signal_category": "Категорія сигналу Wi-Fi",
+ "wi_fi_signal_strength": "Потужність сигналу Wi-Fi",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Внутрішня температура",
+ "outside_temperature": "Зовнішня температура",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "connected": "Підключено",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Виявлено",
"animal_lens": "Animal lens 1",
@@ -1927,7 +1942,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Сигнал Wi-Fi",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1944,6 +1958,48 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Розмір",
+ "size_in_bytes": "Розмір у байтах",
+ "assist_in_progress": "Допомога в процесі",
+ "quiet": "Тихо",
+ "preferred": "Бажаний",
+ "finished_speaking_detection": "Виявлення завершення мовлення",
+ "aggressive": "Агресивно",
+ "relaxed": "Спокійно",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "Версія агента ОС",
+ "apparmor_version": "Версія Apparmor",
+ "cpu_percent": "Відсоток ЦП",
+ "disk_free": "Диск вільно",
+ "disk_total": "Диск всього",
+ "disk_used": "Диск використовується",
+ "memory_percent": "Відсоток пам'яті",
+ "version": "Version",
+ "newest_version": "Найновіша версія",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Пінг",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Наступний світанок",
+ "next_dusk": "Наступні сутінки",
+ "next_midnight": "Наступна північ",
+ "next_noon": "Наступний полудень",
+ "next_rising": "Наступний схід",
+ "next_setting": "Наступний захід",
+ "solar_azimuth": "Азимут сонця",
+ "solar_elevation": "Висота сонця",
+ "solar_rising": "Solar rising",
"heavy": "Масивно",
"mild": "Помірно",
"button_down": "Button down",
@@ -1960,73 +2016,254 @@
"not_completed": "Не завершено",
"pending": "В очікуванні",
"checking": "Checking",
- "closing": "Закриття",
+ "closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Остання активність",
- "last_ding": "Останній дзвін",
- "last_motion": "Останній рух",
- "wi_fi_signal_category": "Категорія сигналу Wi-Fi",
- "wi_fi_signal_strength": "Потужність сигналу Wi-Fi",
- "in_home_chime": "In-home chime",
- "calibration": "Калібрування",
- "auto_lock_paused": "Автоматичне блокування призупинено",
- "timeout": "Timeout",
- "unclosed_alarm": "Не на сигналізації",
- "unlocked_alarm": "Розблокована сигналізація",
- "bluetooth_signal": "Сигнал Bluetooth",
- "light_level": "Рівень освітлення",
- "momentary": "Миттєво",
- "pull_retract": "Витягнути/втягнути",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Пінг",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "connected": "Підключено",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Керується через інтерфейс користувача",
- "pattern": "Шаблон",
- "minute": "Хвилина",
- "second": "Секунда",
- "timestamp": "Timestamp",
- "stopped": "Зупинено",
+ "estimated_distance": "Орієнтовна відстань",
+ "vendor": "Постачальник",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Група вентиляторів",
+ "light_group": "Група світла",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Час швидкого старту",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Розумні рівні індикації підсвічування вентилятора",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Розумний режим вентилятора",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Доступні тони",
"device_trackers": "Пристрої для відстеження",
"gps_accuracy": "GPS accuracy",
- "paused": "Призупинено",
- "finishes_at": "Закінчується о",
- "remaining": "Залишилося",
- "restore": "Відновити",
"last_reset": "Останнє скидання",
"possible_states": "Можливі стани",
"state_class": "Клас стану",
@@ -2058,77 +2295,12 @@
"sound_pressure": "Звуковий тиск",
"speed": "Speed",
"sulphur_dioxide": "Діоксид сірки",
+ "timestamp": "Timestamp",
"vocs": "Летучі органічні речовини",
"volume_flow_rate": "Об'ємна витрата",
"stored_volume": "Збережений обсяг",
"weight": "Вага",
- "fan_only": "Тільки вентилятор",
- "heat_cool": "Обігрів/охолодження",
- "aux_heat": "Додаткове нагрівання",
- "current_humidity": "Поточна вологість",
- "current_temperature": "Current Temperature",
- "fan_mode": "Режим вентилятора",
- "diffuse": "Дифузний",
- "top": "Верх",
- "current_action": "Поточна дія",
- "defrosting": "Розморожування",
- "drying": "Сушіння",
- "hot": "Нагрівання",
- "preheating": "Підігрів",
- "max_target_humidity": "Максимальна цільова вологість",
- "max_target_temperature": "Максимальна цільова температура",
- "min_target_humidity": "Мінімальна цільова вологість",
- "min_target_temperature": "Мінімальна цільова температура",
- "boost": "Турбо",
- "comfort": "Комфорт",
- "eco": "Еко",
- "sleep": "Сон",
- "presets": "Пресети",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Режим гойдання",
- "both": "Обидва",
- "horizontal": "Горизонтальний",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Крок заданої температури",
- "step": "Крок",
- "not_charging": "Не заряджається",
- "unplugged": "Відключено",
- "no_light": "Немає світла",
- "light_detected": "Виявлено світло",
- "locked": "Заблоковано",
- "unlocked": "Розблоковано",
- "not_moving": "Без руху",
- "not_running": "Не запущено",
- "safe": "Безпечно",
- "unsafe": "Небезпечно",
- "tampering_detected": "Виявлено втручання",
- "automatic": "Автоматичний",
- "box": "Бокс",
- "above_horizon": "Над горизонтом",
- "below_horizon": "За горизонтом",
- "buffering": "Буферизація",
- "playing": "Відтворюється",
- "app_id": "Додаток ID",
- "local_accessible_entity_picture": "Локальне доступне зображення сутності",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Виконавець альбому",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Канали",
- "position_updated": "Позицію оновлено",
- "series": "Серія",
- "all": "All",
- "one": "Один",
- "available_sound_modes": "Доступні режими звуку",
- "available_sources": "Доступні джерела",
- "receiver": "Приймач",
- "speaker": "Спікер",
- "tv": "Телевізор",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Маршрутизатор",
+ "managed_via_ui": "Керується через інтерфейс користувача",
"color_mode": "Color Mode",
"brightness_only": "Лише яскравість",
"hs": "HS",
@@ -2144,13 +2316,34 @@
"minimum_color_temperature_kelvin": "Мінімальна колірна температура (Kelvin)",
"minimum_color_temperature_mireds": "Мінімальна колірна температура (mireds)",
"available_color_modes": "Доступні колірні режими",
- "available_tones": "Доступні тони",
"docked": "Пристиковано",
"mowing": "Mowing",
+ "paused": "Призупинено",
"returning": "Returning",
+ "pattern": "Шаблон",
+ "running_automations": "Запущені автоматизації",
+ "max_running_scripts": "Максимальна кількість запущених скриптів",
+ "run_mode": "Режим запуску",
+ "parallel": "Паралельний",
+ "queued": "У черзі",
+ "single": "Єдиний",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Крок швидкості",
"available_preset_modes": "Доступні попередньо встановлені режими",
+ "minute": "Хвилина",
+ "second": "Секунда",
+ "next_event": "Наступна подія",
+ "step": "Крок",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Маршрутизатор",
"clear_night": "Ясно, ніч",
"cloudy": "Хмарно",
"exceptional": "Попередження",
@@ -2173,22 +2366,9 @@
"uv_index": "UV index",
"wind_bearing": "Напрям вітру",
"wind_gust_speed": "Швидкість поривів вітру",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_home": "Охорона (вдома)",
- "armed_night": "Охорона (ніч)",
- "triggered": "Спрацьовано",
- "changed_by": "Змінений на",
- "code_for_arming": "Код для постановки на охорону",
- "not_required": "Не обов'язково",
- "code_format": "Формат коду",
"identify": "Ідентифікувати",
+ "cleaning": "Прибирання",
+ "returning_to_dock": "Повернення на док-станцію",
"recording": "Запис",
"streaming": "Трансляція",
"access_token": "Токен доступу",
@@ -2197,95 +2377,133 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Модель",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Автоматичний",
+ "box": "Бокс",
+ "jammed": "Заклинило",
+ "locked": "Заблоковано",
+ "locking": "Блокування",
+ "unlocked": "Розблоковано",
+ "unlocking": "Розблокування",
+ "changed_by": "Змінений на",
+ "code_format": "Формат коду",
+ "members": "Учасники",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Максимальна кількість запущених автоматизацій",
+ "fan_only": "Тільки вентилятор",
+ "heat_cool": "Обігрів/охолодження",
+ "aux_heat": "Додаткове нагрівання",
+ "current_humidity": "Поточна вологість",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Режим вентилятора",
+ "diffuse": "Дифузний",
+ "top": "Верх",
+ "current_action": "Поточна дія",
+ "defrosting": "Розморожування",
+ "drying": "Сушіння",
+ "hot": "Нагрівання",
+ "preheating": "Підігрів",
+ "max_target_humidity": "Максимальна цільова вологість",
+ "max_target_temperature": "Максимальна цільова температура",
+ "min_target_humidity": "Мінімальна цільова вологість",
+ "min_target_temperature": "Мінімальна цільова температура",
+ "boost": "Турбо",
+ "comfort": "Комфорт",
+ "eco": "Еко",
+ "sleep": "Сон",
+ "presets": "Пресети",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Режим гойдання",
+ "both": "Обидва",
+ "horizontal": "Горизонтальний",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Крок заданої температури",
+ "stopped": "Stopped",
+ "garage": "Гараж",
+ "not_charging": "Не заряджається",
+ "unplugged": "Відключено",
+ "no_light": "Немає світла",
+ "light_detected": "Виявлено світло",
+ "not_moving": "Без руху",
+ "not_running": "Не запущено",
+ "safe": "Безпечно",
+ "unsafe": "Небезпечно",
+ "tampering_detected": "Виявлено втручання",
+ "buffering": "Буферизація",
+ "playing": "Відтворюється",
+ "app_id": "Додаток ID",
+ "local_accessible_entity_picture": "Локальне доступне зображення сутності",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Виконавець альбому",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Канали",
+ "position_updated": "Позицію оновлено",
+ "series": "Серія",
+ "all": "All",
+ "one": "Один",
+ "available_sound_modes": "Доступні режими звуку",
+ "available_sources": "Доступні джерела",
+ "receiver": "Приймач",
+ "speaker": "Спікер",
+ "tv": "Телевізор",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Наступна подія",
- "garage": "Гараж",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Запущені автоматизації",
- "id": "ID",
- "max_running_automations": "Максимальна кількість запущених автоматизацій",
- "run_mode": "Режим запуску",
- "parallel": "Паралельний",
- "queued": "У черзі",
- "single": "Єдиний",
- "cleaning": "Прибирання",
- "returning_to_dock": "Повернення на док-станцію",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Максимальна кількість запущених скриптів",
- "jammed": "Заклинило",
- "locking": "Блокування",
- "unlocking": "Розблокування",
- "members": "Учасники",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Ви хочете налаштувати {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Обліковий запис уже налаштовано",
- "abort_already_in_progress": "Процес налаштування вже триває.",
- "failed_to_connect": "Не вдалося під'єднатися",
- "invalid_access_token": "Невірний токен доступу.",
- "invalid_authentication": "Невірна аутентифікація",
- "received_invalid_token_data": "Отримано невірні дані токена.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "successfully_authenticated": "Автентифікацію успішно завершено.",
- "link_fitbit": "Зв'язати Fitbit",
- "pick_authentication_method": "Виберіть спосіб аутентифікації",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Над горизонтом",
+ "below_horizon": "За горизонтом",
+ "armed_home": "Охорона (вдома)",
+ "armed_night": "Охорона (ніч)",
+ "triggered": "Спрацьовано",
+ "code_for_arming": "Код для постановки на охорону",
+ "not_required": "Не обов'язково",
+ "finishes_at": "Закінчується о",
+ "remaining": "Залишилося",
+ "restore": "Відновити",
"device_is_already_configured": "Цей пристрій вже налаштовано",
+ "failed_to_connect": "Не вдалося під'єднатися",
"abort_no_devices_found": "Пристрої не знайдені в мережі.",
+ "re_authentication_was_successful": "Повторна автентифікація пройшла успішно",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Помилка підключення: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
"camera_stream_authentication_failed": "Camera stream authentication failed",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "Enable camera live view",
- "username": "Ім'я користувача",
+ "username": "Username",
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Закінчився термін дії автентифікації для {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Вже налаштовано. Можлива лише одна конфігурація.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Хочете почати налаштування?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Непідтримуваний тип Switchbot.",
+ "authentication_failed_error_detail": "Помилка автентифікації: {error_detail}",
+ "error_encryption_key_invalid": "Ідентифікатор ключа або ключ шифрування недійсні",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Ви хочете налаштувати {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Ключ шифрування",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Назва календаря",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Процес налаштування вже триває.",
"abort_invalid_host": "Неправильне доменне ім'я або IP-адреса.",
"device_not_supported": "Цей пристрій не підтримується.",
+ "invalid_authentication": "Невірна аутентифікація",
"name_model_at_host": "{name} ({model}, {host})",
"authenticate_to_the_device": "Авторизація на пристрої",
"finish_title": "Вкажіть назву пристрою",
@@ -2293,22 +2511,141 @@
"yes_do_it": "Так, зробити це.",
"unlock_the_device_optional": "Розблокування пристрою (необов'язково)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Тайм-аут встановлення з’єднання",
- "link_google_account": "Пов’язати обліковий запис Google",
- "path_is_not_allowed": "Шлях заборонений",
- "path_is_not_valid": "Шлях недійсний",
- "path_to_file": "Шлях до файлу",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Обліковий запис уже налаштовано",
+ "invalid_access_token": "Невірний токен доступу.",
+ "received_invalid_token_data": "Отримано невірні дані токена.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Автентифікацію успішно завершено.",
+ "link_fitbit": "Зв'язати Fitbit",
+ "pick_authentication_method": "Виберіть спосіб аутентифікації",
+ "two_factor_code": "Код двофакторної аутентифікації",
+ "two_factor_authentication": "Двофакторна аутентифікація",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "abort_alternative_integration": "Пристрій краще підтримується іншою інтеграцією",
+ "abort_incomplete_config": "У конфігурації відсутня необхідна змінна",
+ "manual_description": "URL-адреса до XML-файлу з описом пристрою",
+ "manual_title": "Ручне підключення пристрою DLNA DMR",
+ "discovered_dlna_dmr_devices": "Виявлені пристрої DLNA DMR",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
+ "abort_addon_info_failed": "Failed get info for the {addon} add-on.",
+ "abort_addon_install_failed": "Failed to install the {addon} add-on.",
+ "abort_addon_start_failed": "Failed to start the {addon} add-on.",
+ "invalid_birth_topic": "Недійсна тема ініціалізації",
+ "error_bad_certificate": "Сертифікат ЦС недійсний",
+ "invalid_discovery_prefix": "Неприпустимий префікс виявлення",
+ "invalid_will_topic": "Недійсна тема",
+ "broker": "Брокер",
+ "data_certificate": "Завантажте спеціальний файл сертифіката ЦС",
+ "upload_client_certificate_file": "Завантажте файл сертифіката клієнта",
+ "upload_private_key_file": "Завантажте файл закритого ключа",
+ "data_keepalive": "Час між надсиланням повідомлень Keep Alive",
+ "port": "Порт",
+ "mqtt_protocol": "Протокол MQTT",
+ "broker_certificate_validation": "Перевірка сертифіката брокера",
+ "use_a_client_certificate": "Використовуйте сертифікат клієнта",
+ "ignore_broker_certificate_validation": "Ігноруйте перевірку сертифіката брокера",
+ "mqtt_transport": "Транспорт MQTT",
+ "data_ws_headers": "Заголовки WebSocket у форматі JSON",
+ "websocket_path": "Шлях до WebSocket",
+ "hassio_confirm_title": "Шлюз deCONZ Zigbee (через доповнення Home Assistant)",
+ "installing_add_on": "Installing add-on",
+ "reauth_confirm_title": "Re-authentication required with the MQTT broker",
+ "starting_add_on": "Starting add-on",
+ "menu_options_addon": "Use the official {addon} add-on.",
+ "menu_options_broker": "Manually enter the MQTT broker connection details",
"api_key": "Ключ API",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Перевірка сертифіката SSL",
"name_manufacturer_model": "{name} {manufacturer} {model}",
"bluetooth_confirm_description": "Ви хочете налаштувати {name} ?",
"adapter": "Адаптер",
"multiple_adapters_description": "Виберіть адаптер Bluetooth для налаштування",
+ "api_error_occurred": "Сталася помилка API",
+ "hostname_ip_address": "{hostname} ({ip_address})",
+ "enable_https": "Увімкніть HTTPS",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
+ "meteorologisk_institutt": "Норвезький метеорологічний інститут.",
+ "timeout_establishing_connection": "Тайм-аут встановлення з’єднання",
+ "link_google_account": "Пов’язати обліковий запис Google",
+ "path_is_not_allowed": "Шлях заборонений",
+ "path_is_not_valid": "Шлях недійсний",
+ "path_to_file": "Шлях до файлу",
+ "pin_code": "PIN-код",
+ "discovered_android_tv": "Виявлено Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "all_entities": "Всі сутності",
+ "hide_members": "Приховати учасників",
+ "create_group": "Create Group",
+ "device_class": "Device Class",
+ "ignore_non_numeric": "Ігнорувати нечислові",
+ "data_round_digits": "Округлити значення до кількості десяткових знаків",
+ "type": "Type",
+ "binary_sensor_group": "Група двійкових сенсорів",
+ "button_group": "Група кнопок",
+ "cover_group": "Група штор, жалюзі, воріт",
+ "event_group": "Група подій",
+ "lock_group": "Група замків",
+ "media_player_group": "Група медіаплеєрів",
+ "notify_group": "Група сповіщень",
+ "sensor_group": "Група датчиків",
+ "switch_group": "Група перемикачів",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Відсутня MAC-адреса у властивостях MDNS.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Дію отримано",
+ "bridge_is_already_configured": "Налаштування цього пристрою вже виконано.",
+ "no_deconz_bridges_discovered": "Шлюзи deCONZ не знайдені.",
+ "abort_no_hardware_available": "Радіообладнання не підключено до deCONZ.",
+ "abort_updated_instance": "Адресу хоста оновлено.",
+ "error_linking_not_possible": "Не вдалося встановити зв'язок зі шлюзом",
+ "error_no_key": "Не вдалося отримати ключ API.",
+ "link_with_deconz": "Зв'язок з deCONZ",
+ "select_discovered_deconz_gateway": "Виберіть виявлений шлюз deCONZ",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "У кінцевій точці не знайдено служб",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
"arm_away_action": "Дія при охороні (не вдома)",
"arm_custom_bypass_action": "Дія при охороні з винятками",
"arm_home_action": "Дія при охороні (вдома)",
@@ -2319,12 +2656,10 @@
"trigger_action": "Дія при спрацюванні",
"value_template": "Шаблон значення",
"template_alarm_control_panel": "Шаблон панелі керування сигналізацією",
- "device_class": "Клас пристрою",
"state_template": "Шаблон стану",
"template_binary_sensor": "Шаблон двійкового датчика",
"actions_on_press": "Дії при натисканні",
"template_button": "Шаблон кнопки",
- "verify_ssl_certificate": "Перевірка сертифіката SSL",
"template_image": "Шаблон зображення",
"actions_on_set_value": "Дії при встановленні значення",
"step_value": "Значення кроку",
@@ -2337,112 +2672,129 @@
"actions_on_turn_on": "Дії при ввімкненні",
"template_switch": "Шаблон перемикача",
"template_helper": "Помічник шаблону",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
- "abort_addon_info_failed": "Failed get info for the {addon} add-on.",
- "abort_addon_install_failed": "Failed to install the {addon} add-on.",
- "abort_addon_start_failed": "Failed to start the {addon} add-on.",
- "invalid_birth_topic": "Недійсна тема ініціалізації",
- "error_bad_certificate": "Сертифікат ЦС недійсний",
- "invalid_discovery_prefix": "Неприпустимий префікс виявлення",
- "invalid_will_topic": "Недійсна тема",
- "broker": "Брокер",
- "data_certificate": "Завантажте спеціальний файл сертифіката ЦС",
- "upload_client_certificate_file": "Завантажте файл сертифіката клієнта",
- "upload_private_key_file": "Завантажте файл закритого ключа",
- "data_keepalive": "Час між надсиланням повідомлень Keep Alive",
- "port": "Порт",
- "mqtt_protocol": "Протокол MQTT",
- "broker_certificate_validation": "Перевірка сертифіката брокера",
- "use_a_client_certificate": "Використовуйте сертифікат клієнта",
- "ignore_broker_certificate_validation": "Ігноруйте перевірку сертифіката брокера",
- "mqtt_transport": "Транспорт MQTT",
- "data_ws_headers": "Заголовки WebSocket у форматі JSON",
- "websocket_path": "Шлях до WebSocket",
- "hassio_confirm_title": "Шлюз deCONZ Zigbee (через доповнення Home Assistant)",
- "installing_add_on": "Installing add-on",
- "reauth_confirm_title": "Re-authentication required with the MQTT broker",
- "starting_add_on": "Starting add-on",
- "menu_options_addon": "Use the official {addon} add-on.",
- "menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Налаштування цього пристрою вже виконано.",
- "no_deconz_bridges_discovered": "Шлюзи deCONZ не знайдені.",
- "abort_no_hardware_available": "Радіообладнання не підключено до deCONZ.",
- "abort_updated_instance": "Адресу хоста оновлено.",
- "error_linking_not_possible": "Не вдалося встановити зв'язок зі шлюзом",
- "error_no_key": "Не вдалося отримати ключ API.",
- "link_with_deconz": "Зв'язок з deCONZ",
- "select_discovered_deconz_gateway": "Виберіть виявлений шлюз deCONZ",
- "pin_code": "PIN-код",
- "discovered_android_tv": "Виявлено Android TV",
- "abort_mdns_missing_mac": "Відсутня MAC-адреса у властивостях MDNS.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Дію отримано",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "У кінцевій точці не знайдено служб",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Пристрій краще підтримується іншою інтеграцією",
- "abort_incomplete_config": "У конфігурації відсутня необхідна змінна",
- "manual_description": "URL-адреса до XML-файлу з описом пристрою",
- "manual_title": "Ручне підключення пристрою DLNA DMR",
- "discovered_dlna_dmr_devices": "Виявлені пристрої DLNA DMR",
- "api_error_occurred": "Сталася помилка API",
- "hostname_ip_address": "{hostname} ({ip_address})",
- "enable_https": "Увімкніть HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
- "meteorologisk_institutt": "Норвезький метеорологічний інститут.",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Код двофакторної аутентифікації",
- "two_factor_authentication": "Двофакторна аутентифікація",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "all_entities": "Всі сутності",
- "hide_members": "Приховати учасників",
- "create_group": "Create Group",
- "ignore_non_numeric": "Ігнорувати нечислові",
- "data_round_digits": "Округлити значення до кількості десяткових знаків",
- "type": "Type",
- "binary_sensor_group": "Група двійкових сенсорів",
- "button_group": "Група кнопок",
- "cover_group": "Група штор, жалюзі, воріт",
- "event_group": "Група подій",
- "fan_group": "Група вентиляторів",
- "light_group": "Група світла",
- "lock_group": "Група замків",
- "media_player_group": "Група медіаплеєрів",
- "notify_group": "Група сповіщень",
- "sensor_group": "Група датчиків",
- "switch_group": "Група перемикачів",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Непідтримуваний тип Switchbot.",
- "authentication_failed_error_detail": "Помилка автентифікації: {error_detail}",
- "error_encryption_key_invalid": "Ідентифікатор ключа або ключ шифрування недійсні",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Адреса пристрою",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "Цей пристрій не є пристроєм zha",
+ "abort_usb_probe_failed": "Не вдалося перевірити пристрій USB",
+ "invalid_backup_json": "Недійсний резервний JSON",
+ "choose_an_automatic_backup": "Виберіть автоматичне резервне копіювання",
+ "restore_automatic_backup": "Відновити автоматичне резервне копіювання",
+ "choose_formation_strategy_description": "Виберіть мережеві налаштування для вашого радіомодуля.",
+ "restore_an_automatic_backup": "Відновлення автоматичної резервної копії",
+ "create_a_network": "Створити мережу",
+ "keep_radio_network_settings": "Зберегти налаштування мережі радіомодуля",
+ "upload_a_manual_backup": "Завантажити резервну копію вручну",
+ "network_formation": "Формування мережі",
+ "serial_device_path": "Шлях до послідовного пристрою",
+ "select_a_serial_port": "Виберіть послідовний порт",
+ "radio_type": "Тип радіомодуля",
+ "manual_pick_radio_type_description": "Виберіть тип вашого Zigbee радіомодуля",
+ "port_speed": "швидкість порту",
+ "data_flow_control": "контроль потоку даних",
+ "manual_port_config_description": "Введіть налаштування послідовного порту",
+ "serial_port_settings": "Налаштування послідовного порту",
+ "data_overwrite_coordinator_ieee": "Постійна заміна адреси радіо IEEE",
+ "overwrite_radio_ieee_address": "Перезаписати IEEE адресу радіомодуля",
+ "upload_a_file": "Завантажити файл",
+ "radio_is_not_recommended": "Радіомодуль не рекомендується",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Назва календаря",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Код, необхідний для встановлення під охорону",
+ "zha_alarm_options_alarm_master_code": "Майстер-код панелей управління сигналізацією",
+ "alarm_control_panel_options": "Параметри панелі керування сигналізацією",
+ "zha_options_consider_unavailable_battery": "Вважати пристрої з живленням від акумулятора недоступними через (секунд)",
+ "zha_options_consider_unavailable_mains": "Вважати пристрої, що живляться від мережі, недоступними через (секунд)",
+ "zha_options_default_light_transition": "Час переходу світла за замовчуванням (секунди)",
+ "zha_options_group_members_assume_state": "Члени групи приймають стан групи",
+ "zha_options_light_transitioning_flag": "Увімкніть повзунок підвищеної яскравості під час переходу світла",
+ "global_options": "Глобальні параметри",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Кількість повторних спроб",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Недійсний URL",
+ "data_browse_unfiltered": "Показувати несумісні медіа під час перегляду",
+ "event_listener_callback_url": "URL-адреса зворотного виклику слухача події",
+ "data_listen_port": "Порт слухача подій (випадковий, якщо не вказано)",
+ "poll_for_device_availability": "Опитування доступності пристрою",
+ "init_title": "Конфігурація DLNA Digital Media Renderer",
+ "broker_options": "Параметри брокера",
+ "enable_will_message": "Відправляти топік про підключення",
+ "birth_message_payload": "Значення топіка про підключення",
+ "birth_message_qos": "QoS топіка про підключення",
+ "birth_message_retain": "Зберігати топік про підключення",
+ "birth_message_topic": "Топік про підключення (LWT)",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Префікс виявлення",
+ "will_message_payload": "Значення топіка про відключення",
+ "will_message_qos": "QoS топіка про відключення",
+ "will_message_retain": "Зберігати топік про відключення",
+ "will_message_topic": "Топік про відключення (LWT)",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "Параметри MQTT",
+ "passive_scanning": "Пасивне сканування",
+ "protocol": "Протокол",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Код мови",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "data_app_delete": "Check to delete this application",
+ "application_icon": "Application icon",
+ "application_id": "Application ID",
+ "application_name": "Application name",
+ "configure_application_id_app_id": "Configure application ID {app_id}",
+ "configure_android_apps": "Configure Android apps",
+ "configure_applications_list": "Configure applications list",
"ignore_cec": "Ігнорувати CEC",
"allowed_uuids": "Дозволені UUID",
"advanced_google_cast_configuration": "Розширене налаштування Google Cast",
+ "allow_deconz_clip_sensors": "Відображати сенсори deCONZ CLIP",
+ "allow_deconz_light_groups": "Відображати групи освітлення deCONZ",
+ "data_allow_new_devices": "Дозволити автоматичне додавання нових пристроїв",
+ "deconz_devices_description": "Налаштування видимості типів пристроїв deCONZ",
+ "deconz_options": "Налаштування deCONZ",
+ "select_test_server": "Виберіть сервер для тестування",
+ "data_calendar_access": "Доступ Home Assistant до Календаря Google",
+ "bluetooth_scanner_mode": "Режим сканера Bluetooth",
"device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
"not_supported": "Not Supported",
"localtuya_configuration": "LocalTuya Configuration",
@@ -2459,7 +2811,6 @@
"data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
"data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
"data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
"configure_tuya_device": "Configure Tuya device",
"configure_device_description": "Fill in the device details{for_device}.",
"device_id": "Device ID",
@@ -2531,90 +2882,14 @@
"enable_heuristic_action_optional": "Enable heuristic action (optional)",
"data_dps_default_value": "Default value when un-initialised (optional)",
"minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Доступ Home Assistant до Календаря Google",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Пасивне сканування",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Параметри брокера",
- "enable_will_message": "Відправляти топік про підключення",
- "birth_message_payload": "Значення топіка про підключення",
- "birth_message_qos": "QoS топіка про підключення",
- "birth_message_retain": "Зберігати топік про підключення",
- "birth_message_topic": "Топік про підключення (LWT)",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Префікс виявлення",
- "will_message_payload": "Значення топіка про відключення",
- "will_message_qos": "QoS топіка про відключення",
- "will_message_retain": "Зберігати топік про відключення",
- "will_message_topic": "Топік про відключення (LWT)",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "Параметри MQTT",
"data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
"data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Відображати сенсори deCONZ CLIP",
- "allow_deconz_light_groups": "Відображати групи освітлення deCONZ",
- "data_allow_new_devices": "Дозволити автоматичне додавання нових пристроїв",
- "deconz_devices_description": "Налаштування видимості типів пристроїв deCONZ",
- "deconz_options": "Налаштування deCONZ",
- "data_app_delete": "Check to delete this application",
- "application_icon": "Application icon",
- "application_id": "Application ID",
- "application_name": "Application name",
- "configure_application_id_app_id": "Configure application ID {app_id}",
- "configure_android_apps": "Configure Android apps",
- "configure_applications_list": "Configure applications list",
- "invalid_url": "Недійсний URL",
- "data_browse_unfiltered": "Показувати несумісні медіа під час перегляду",
- "event_listener_callback_url": "URL-адреса зворотного виклику слухача події",
- "data_listen_port": "Порт слухача подій (випадковий, якщо не вказано)",
- "poll_for_device_availability": "Опитування доступності пристрою",
- "init_title": "Конфігурація DLNA Digital Media Renderer",
- "protocol": "Протокол",
- "language_code": "Код мови",
- "bluetooth_scanner_mode": "Режим сканера Bluetooth",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Кількість повторних спроб",
- "select_test_server": "Виберіть сервер для тестування",
- "toggle_entity_name": "Переключити {entity_name}",
- "turn_off_entity_name": "Вимкнути {entity_name}",
- "turn_on_entity_name": "Увімкнути {entity_name}",
- "entity_name_is_off": "{entity_name} вимкнено",
- "entity_name_is_on": "{entity_name} увімкнено",
- "trigger_type_changed_states": "{entity_name} увімкнено або вимкнено",
+ "reconfigure_zha": "Переналаштувати ZHA",
+ "unplug_your_old_radio": "Від'єднайте старий радіомодуль",
+ "intent_migrate_title": "Migrate to a new radio",
+ "menu_options_intent_migrate": "Перехід на новий радіомодуль",
+ "re_configure_the_current_radio": "Переналаштувати поточний радіомодуль",
+ "migrate_or_re_configure": "Міграція або переналаштування",
"condition_type_is_pm": "{entity_name} має поточне значення",
"current_entity_name_area": "Current {entity_name} area",
"condition_type_is_blood_glucose_concentration": "Current {entity_name} blood glucose concentration",
@@ -2646,6 +2921,57 @@
"entity_name_temperature_changes": "{entity_name} змінює значення температури",
"entity_name_voltage_changes": "{entity_name} змінює значення напруги",
"trigger_type_volume_flow_rate": "{entity_name} volume flow rate changes",
+ "decrease_entity_name_brightness": "{entity_name}: зменшити яскравість",
+ "increase_entity_name_brightness": "{entity_name}: збільшити яскравість",
+ "flash_entity_name": "{entity_name}: включити мигання",
+ "toggle_entity_name": "Переключити {entity_name}",
+ "turn_off_entity_name": "Вимкнути {entity_name}",
+ "turn_on_entity_name": "Увімкнути {entity_name}",
+ "entity_name_is_off": "{entity_name} вимкнено",
+ "entity_name_is_on": "{entity_name} увімкнено",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} увімкнено або вимкнено",
+ "set_value_for_entity_name": "Установити значення для {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "Доступність оновлення {entity_name} змінено",
+ "entity_name_became_up_to_date": "{entity_name} став актуальним",
+ "trigger_type_turned_on": "{entity_name} доступне оновлення",
+ "first_button": "Перша кнопка",
+ "second_button": "Друга кнопка",
+ "third_button": "Третя кнопка",
+ "fourth_button": "Четверта кнопка",
+ "fifth_button": "П'ята кнопка",
+ "sixth_button": "Шоста кнопка",
+ "subtype_double_clicked": "\"{subtype}\" натиснута два рази",
+ "subtype_continuously_pressed": "\"{subtype}\" безперервно натиснуто",
+ "trigger_type_button_long_release": "{subtype} відпущена після довгого натискання",
+ "subtype_quadruple_clicked": "\"{subtype}\" натиснута чотири рази",
+ "subtype_quintuple_clicked": "\"{subtype}\" натиснута п'ять разів",
+ "subtype_pressed": "\"{subtype}\" натиснута",
+ "subtype_released": "\"{subtype}\" відпущена",
+ "subtype_triple_clicked": "\"{subtype}\" натиснута три рази",
+ "entity_name_is_home": "{entity_name} вдома",
+ "entity_name_is_not_home": "{entity_name} не вдома",
+ "entity_name_enters_a_zone": "{entity_name} входить в зону",
+ "entity_name_leaves_a_zone": "{entity_name} покидає зону",
+ "press_entity_name_button": "Натиснути кнопку {entity_name}",
+ "entity_name_has_been_pressed": "{entity_name} було натиснуто",
+ "let_entity_name_clean": "Відправити {entity_name} робити прибирання",
+ "action_type_dock": "{entity_name}: повернути на док-станцію",
+ "entity_name_is_cleaning": "{entity_name} виконує прибирання",
+ "entity_name_is_docked": "{entity_name} на док-станції",
+ "entity_name_started_cleaning": "{entity_name} починає прибирання",
+ "entity_name_docked": "{entity_name} стикується з док-станцією",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "{entity_name}: заблокувати",
+ "open_entity_name": "{entity_name}: відкрити",
+ "unlock_entity_name": "{entity_name}: розблокувати",
+ "entity_name_is_locked": "{entity_name} в заблокованому стані",
+ "entity_name_is_open": "{entity_name} у відкритому стані",
+ "entity_name_is_unlocked": "{entity_name} в розблокованому стані",
+ "entity_name_locked": "{entity_name} блокується",
+ "entity_name_opened": "{entity_name} відкрито",
+ "entity_name_unlocked": "{entity_name} розблокується",
"action_type_set_hvac_mode": "{entity_name}: змінити режим роботи",
"change_preset_on_entity_name": "{entity_name}: змінити пресет",
"hvac_mode": "Режим HVAC",
@@ -2653,8 +2979,20 @@
"entity_name_measured_humidity_changed": "{entity_name} змінює значення виміряної вологості",
"entity_name_measured_temperature_changed": "{entity_name} змінює значення виміряної температури",
"entity_name_hvac_mode_changed": "{entity_name} змінює режим роботи",
- "set_value_for_entity_name": "Установити значення для {entity_name}",
- "value": "Value",
+ "close_entity_name": "{entity_name}: закрити",
+ "close_entity_name_tilt": "{entity_name}: закрити ламелі",
+ "open_entity_name_tilt": "{entity_name}: відкрити ламелі",
+ "set_entity_name_position": "{entity_name}: встановити положення",
+ "set_entity_name_tilt_position": "{entity_name}: встановити нахил ламелей",
+ "stop_entity_name": "Зупинити {entity_name}",
+ "entity_name_is_closed": "{entity_name} в закритому стані",
+ "entity_name_closing": "{entity_name} закривається",
+ "entity_name_opening": "{entity_name} відкривається",
+ "current_entity_name_position_is": "{entity_name} знаходиться в положенні",
+ "condition_type_is_tilt_position": "Пристрій \"{entity_name}\" має нахил ламелей",
+ "entity_name_closed": "{entity_name} закрито",
+ "entity_name_position_changes": "{entity_name} змінює положення",
+ "entity_name_tilt_position_changes": "{entity_name} змінює нахил ламелей",
"entity_name_battery_is_low": "{entity_name} низький рівень акумулятора",
"entity_name_charging": "{entity_name} заряджається",
"condition_type_is_co": "{entity_name} виявляє чадний газ",
@@ -2663,7 +3001,6 @@
"entity_name_is_detecting_gas": "{entity_name} виявляє газ",
"entity_name_is_hot": "{entity_name} виявляє нагрів",
"entity_name_is_detecting_light": "{entity_name} виявляє світло",
- "entity_name_is_locked": "{entity_name} в заблокованому стані",
"entity_name_is_moist": "{entity_name} в стані \"Волого\"",
"entity_name_is_detecting_motion": "{entity_name} виявляє рух",
"entity_name_is_moving": "{entity_name} переміщується",
@@ -2681,17 +3018,14 @@
"entity_name_is_not_cold": "{entity_name} не виявляє охолодження",
"entity_name_is_unplugged": "{entity_name} не виявляє підключення",
"entity_name_is_not_hot": "{entity_name} не виявляє нагрів",
- "entity_name_is_unlocked": "{entity_name} в розблокованому стані",
"entity_name_is_dry": "{entity_name} в стані \"Сухо\"",
"entity_name_is_not_moving": "{entity_name} не рухається",
"entity_name_is_not_present": "{entity_name} не виявляє присутність",
- "entity_name_is_closed": "{entity_name} в закритому стані",
"entity_name_is_not_powered": "{entity_name} не виявляє живлення",
"entity_name_is_not_running": "{entity_name} не запущено",
"condition_type_is_not_tampered": "{entity_name} не виявлено втручання",
"entity_name_is_safe": "{entity_name} в безпечному стані",
"entity_name_is_present": "{entity_name} виявляє присутність",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_powered": "{entity_name} виявляє живлення",
"entity_name_is_detecting_problem": "{entity_name} виявляє проблему",
"entity_name_is_running": "{entity_name} запущено",
@@ -2708,7 +3042,6 @@
"entity_name_started_detecting_gas": "{entity_name} починає виявляти газ",
"entity_name_became_hot": "{entity_name} нагрівається",
"entity_name_started_detecting_light": "{entity_name} починає виявляти світло",
- "entity_name_locked": "{entity_name} блокується",
"entity_name_became_moist": "{entity_name} стає вологим",
"entity_name_started_detecting_motion": "{entity_name} починає виявляти рух",
"entity_name_started_moving": "{entity_name} починає рухатися",
@@ -2719,59 +3052,32 @@
"entity_name_stopped_detecting_problem": "{entity_name} припиняє виявляти проблему",
"entity_name_stopped_detecting_smoke": "{entity_name} припиняє виявляти дим",
"entity_name_stopped_detecting_sound": "{entity_name} припиняє виявляти звук",
- "entity_name_became_up_to_date": "{entity_name} став актуальним",
"entity_name_stopped_detecting_vibration": "{entity_name} припиняє виявляти вібрацію",
"entity_name_battery_normal": "{entity_name} реєструє нормальний заряд",
"entity_name_became_not_cold": "{entity_name} припиняє охолоджуватися",
"entity_name_disconnected": "{entity_name} відключається",
"entity_name_became_not_hot": "{entity_name} припиняє нагріватися",
- "entity_name_unlocked": "{entity_name} розблокується",
- "entity_name_became_dry": "{entity_name} стає сухим",
- "entity_name_stopped_moving": "{entity_name} припиняє переміщення",
- "entity_name_closed": "{entity_name} закрито",
- "entity_name_unplugged": "{entity_name} реєструє відключення",
- "entity_name_not_powered": "{entity_name} не реєструє наявність живлення",
- "entity_name_not_present": "{entity_name} реєструє відсутність",
- "trigger_type_not_running": "{entity_name} більше не виконується",
- "entity_name_stopped_detecting_tampering": "{entity_name} більше не виявляє втручання",
- "entity_name_became_safe": "{entity_name} реєструє безпеку",
- "entity_name_opened": "{entity_name} opened",
- "entity_name_plugged_in": "{entity_name} реєструє підключення",
- "entity_name_powered": "{entity_name} реєструє наявність живлення",
- "entity_name_present": "{entity_name} реєструє присутність",
- "entity_name_started_detecting_tampering": "{entity_name} почав виявляти втручання",
- "entity_name_became_unsafe": "{entity_name} не реєструє безпеку",
- "trigger_type_update": "{entity_name} отримав оновлення",
- "entity_name_is_buffering": "{entity_name} буферизується",
- "entity_name_is_idle": "{entity_name} в режимі очікування",
- "entity_name_is_paused": "{entity_name} призупинено",
- "entity_name_is_playing": "{entity_name} відтворює медіа",
- "entity_name_starts_buffering": "{entity_name} починає буферизацію",
- "entity_name_becomes_idle": "{entity_name} переходить в режим очікування",
- "entity_name_starts_playing": "{entity_name} починає грати",
- "entity_name_is_home": "{entity_name} вдома",
- "entity_name_is_not_home": "{entity_name} не вдома",
- "entity_name_enters_a_zone": "{entity_name} входить в зону",
- "entity_name_leaves_a_zone": "{entity_name} покидає зону",
- "decrease_entity_name_brightness": "{entity_name}: зменшити яскравість",
- "increase_entity_name_brightness": "{entity_name}: збільшити яскравість",
- "flash_entity_name": "{entity_name}: включити мигання",
- "flash": "Flash",
- "entity_name_update_availability_changed": "Доступність оновлення {entity_name} змінено",
- "trigger_type_turned_on": "{entity_name} доступне оновлення",
- "arm_entity_name_away": "Увімкнути режим охорони \"Не вдома\" на панелі {entity_name}",
- "arm_entity_name_home": "Увімкнути режим охорони \"Вдома\" на панелі {entity_name}",
- "arm_entity_name_night": "Увімкнути режим охорони \"Ніч\" на панелі {entity_name}",
- "arm_entity_name_vacation": "Увімкнути режим охорони \"Відпустка\" на панелі {entity_name}",
- "disarm_entity_name": "Відключити охорону на панелі {entity_name}",
- "trigger_entity_name": "{entity_name} спрацьовує",
- "entity_name_armed_away": "Увімкнений режим охорони \"Не вдома\" на панелі {entity_name}",
- "entity_name_armed_home": "Увімкнений режим охорони \"Вдома\" на панелі {entity_name}",
- "entity_name_armed_night": "Увімкнений режим охорони \"Ніч\" на панелі {entity_name}",
- "entity_name_armed_vacation": "Увімкнено режим охорони \"Відпустка\" на панелі {entity_name}",
- "entity_name_disarmed": "Вимкнена охорона на панелі {entity_name}",
- "press_entity_name_button": "Натиснути кнопку {entity_name}",
- "entity_name_has_been_pressed": "{entity_name} було натиснуто",
+ "entity_name_became_dry": "{entity_name} стає сухим",
+ "entity_name_stopped_moving": "{entity_name} припиняє переміщення",
+ "entity_name_unplugged": "{entity_name} реєструє відключення",
+ "entity_name_not_powered": "{entity_name} не реєструє наявність живлення",
+ "entity_name_not_present": "{entity_name} реєструє відсутність",
+ "trigger_type_not_running": "{entity_name} більше не виконується",
+ "entity_name_stopped_detecting_tampering": "{entity_name} більше не виявляє втручання",
+ "entity_name_became_safe": "{entity_name} реєструє безпеку",
+ "entity_name_plugged_in": "{entity_name} реєструє підключення",
+ "entity_name_powered": "{entity_name} реєструє наявність живлення",
+ "entity_name_present": "{entity_name} реєструє присутність",
+ "entity_name_started_detecting_tampering": "{entity_name} почав виявляти втручання",
+ "entity_name_became_unsafe": "{entity_name} не реєструє безпеку",
+ "trigger_type_update": "{entity_name} отримав оновлення",
+ "entity_name_is_buffering": "{entity_name} буферизується",
+ "entity_name_is_idle": "{entity_name} в режимі очікування",
+ "entity_name_is_paused": "{entity_name} призупинено",
+ "entity_name_is_playing": "{entity_name} відтворює медіа",
+ "entity_name_starts_buffering": "{entity_name} починає буферизацію",
+ "entity_name_becomes_idle": "{entity_name} переходить в режим очікування",
+ "entity_name_starts_playing": "{entity_name} починає грати",
"action_type_select_first": "Змініть {entity_name} на перший варіант",
"action_type_select_last": "Змініть {entity_name} на останній варіант",
"action_type_select_next": "Змінити {entity_name} на наступний варіант",
@@ -2781,33 +3087,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} опцію змінено",
- "close_entity_name": "{entity_name}: закрити",
- "close_entity_name_tilt": "{entity_name}: закрити ламелі",
- "open_entity_name": "{entity_name}: відкрити",
- "open_entity_name_tilt": "{entity_name}: відкрити ламелі",
- "set_entity_name_position": "{entity_name}: встановити положення",
- "set_entity_name_tilt_position": "{entity_name}: встановити нахил ламелей",
- "stop_entity_name": "Зупинити {entity_name}",
- "entity_name_closing": "{entity_name} закривається",
- "entity_name_opening": "{entity_name} відкривається",
- "current_entity_name_position_is": "{entity_name} знаходиться в положенні",
- "condition_type_is_tilt_position": "Пристрій \"{entity_name}\" має нахил ламелей",
- "entity_name_position_changes": "{entity_name} змінює положення",
- "entity_name_tilt_position_changes": "{entity_name} змінює нахил ламелей",
- "first_button": "Перша кнопка",
- "second_button": "Друга кнопка",
- "third_button": "Третя кнопка",
- "fourth_button": "Четверта кнопка",
- "fifth_button": "П'ята кнопка",
- "sixth_button": "Шоста кнопка",
- "subtype_double_clicked": "{subtype} подвійний клік",
- "subtype_continuously_pressed": "\"{subtype}\" безперервно натиснуто",
- "trigger_type_button_long_release": "{subtype} відпущена після довгого натискання",
- "subtype_quadruple_clicked": "\"{subtype}\" натиснута чотири рази",
- "subtype_quintuple_clicked": "\"{subtype}\" натиснута п'ять разів",
- "subtype_pressed": "\"{subtype}\" натиснута",
- "subtype_released": "\"{subtype}\" відпущена",
- "subtype_triple_clicked": "{subtype} потрійний клік",
"both_buttons": "Обидві кнопки",
"bottom_buttons": "Нижні кнопки",
"seventh_button": "Сьома кнопка",
@@ -2833,13 +3112,6 @@
"trigger_type_remote_rotate_from_side": "Пристрій перевернули з Грані 6 на {subtype}",
"device_turned_clockwise": "Пристрій повернули за годинниковою стрілкою",
"device_turned_counter_clockwise": "Пристрій повернули проти годинникової стрілки",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Відправити {entity_name} робити прибирання",
- "action_type_dock": "{entity_name}: повернути на док-станцію",
- "entity_name_is_cleaning": "{entity_name} виконує прибирання",
- "entity_name_is_docked": "{entity_name} на док-станції",
- "entity_name_started_cleaning": "{entity_name} починає прибирання",
- "entity_name_docked": "{entity_name} стикується з док-станцією",
"subtype_button_down": "{subtype} кнопка вниз",
"subtype_button_up": "{subtype} кнопка вгору",
"subtype_double_push": "{subtype} подвійне натискання",
@@ -2850,28 +3122,46 @@
"trigger_type_single_long": "{subtype} одинарний клік, потім довгий клік",
"subtype_single_push": "{subtype} одне натискання",
"subtype_triple_push": "{subtype} потрійне натискання",
- "lock_entity_name": "{entity_name}: заблокувати",
- "unlock_entity_name": "{entity_name}: розблокувати",
+ "arm_entity_name_away": "Увімкнути режим охорони \"Не вдома\" на панелі {entity_name}",
+ "arm_entity_name_home": "Увімкнути режим охорони \"Вдома\" на панелі {entity_name}",
+ "arm_entity_name_night": "Увімкнути режим охорони \"Ніч\" на панелі {entity_name}",
+ "arm_entity_name_vacation": "Увімкнути режим охорони \"Відпустка\" на панелі {entity_name}",
+ "disarm_entity_name": "Відключити охорону на панелі {entity_name}",
+ "trigger_entity_name": "{entity_name} спрацьовує",
+ "entity_name_armed_away": "Увімкнений режим охорони \"Не вдома\" на панелі {entity_name}",
+ "entity_name_armed_home": "Увімкнений режим охорони \"Вдома\" на панелі {entity_name}",
+ "entity_name_armed_night": "Увімкнений режим охорони \"Ніч\" на панелі {entity_name}",
+ "entity_name_armed_vacation": "Увімкнено режим охорони \"Відпустка\" на панелі {entity_name}",
+ "entity_name_disarmed": "Вимкнена охорона на панелі {entity_name}",
+ "action_type_issue_all_led_effect": "Ефект видачі для всіх світлодіодів",
+ "action_type_issue_individual_led_effect": "Ефект видачі для окремого світлодіода",
+ "squawk": "Транспондер",
+ "warn": "Увімкнення оповіщення",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "На шостій грані",
+ "with_any_specified_face_s_activated": "На будь-якій грані",
+ "device_dropped": "Пристрій скинули",
+ "device_flipped_subtype": "Пристрій перевернули {subtype}",
+ "device_knocked_subtype": "Пристроєм постукали {subtype}",
+ "device_offline": "Пристрій не в мережі",
+ "device_rotated_subtype": "Пристрій повернули {subtype}",
+ "device_slid_subtype": "Пристрій зрушили {subtype}",
+ "device_tilted": "Пристрій нахилили",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" натиснута два рази (альтернативний режим)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" довго натиснута (альтернативний режим)",
+ "subtype_released_alternate_mode": "\"{subtype}\" відпущена після довгого натискання (альтернативний режим)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" натиснута чотири рази (альтернативний режим)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" натиснута п'ять разів (альтернативний режим)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" натиснута (альтернативний режим)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" натиснута три рази (альтернативний режим)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "Без формату коду",
- "no_unit_of_measurement": "Немає одиниці виміру",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Пасивний",
- "arithmetic_mean": "Середнє арифметичне",
- "median": "Медіана",
- "product": "Продукт",
- "statistical_range": "Статистичний діапазон",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3002,52 +3292,21 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Пасивний",
+ "no_code_format": "Без формату коду",
+ "no_unit_of_measurement": "Немає одиниці виміру",
+ "fatal": "Fatal",
+ "arithmetic_mean": "Середнє арифметичне",
+ "median": "Медіана",
+ "product": "Продукт",
+ "statistical_range": "Статистичний діапазон",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3064,6 +3323,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3074,102 +3334,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Перезавантажити все",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Вмикає/вимикає допоміжний обігрівач.",
- "aux_heat_description": "Нове значення допоміжного обігрівача.",
- "auxiliary_heating": "Допоміжний обігрів",
- "turn_on_off_auxiliary_heater": "Увімкнення/вимкнення допоміжного обігрівача",
- "sets_fan_operation_mode": "Встановлює режим роботи вентилятора.",
- "fan_operation_mode": "Режим роботи вентилятора.",
- "set_fan_mode": "Встановити режим вентилятора",
- "sets_target_humidity": "Встановлює цільову вологість.",
- "set_target_humidity": "Встановити цільову вологість",
- "sets_hvac_operation_mode": "Встановлює режим роботи HVAC.",
- "hvac_operation_mode": "Режим роботи HVAC.",
- "set_hvac_mode": "Встановити режим HVAC",
- "sets_preset_mode": "Встановлює попередньо встановлений режим.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Встановлює режим роботи гойдання.",
- "swing_operation_mode": "Режим роботи гойдання.",
- "set_swing_mode": "Встановити режим гойдання",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Встановити цільову температуру",
- "turns_climate_device_off": "Вимикає кліматичний пристрій.",
- "turns_climate_device_on": "Вмикає кліматичний пристрій.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3182,25 +3351,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
- "brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "turn_off_description": "Sends the turn off command.",
+ "brightness_step_description": "Change brightness by an amount.",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Очищає код користувача з замка.",
+ "code_slot_description": "Слот для встановлення коду.",
+ "code_slot": "Слот для коду",
+ "clear_lock_user": "Очистити користувача замка",
+ "disable_lock_user_code_description": "Вимикає код користувача на замку.",
+ "code_slot_to_disable": "Кодовий слот для вимкнення.",
+ "disable_lock_user": "Вимкнути користувача замка",
+ "enable_lock_user_code_description": "Вмикає код користувача на замку.",
+ "code_slot_to_enable": "Кодовий слот для ввімкнення.",
+ "enable_lock_user": "Увімкнути користувача замка",
+ "args_description": "Аргументи для передачі команді.",
+ "args": "Аргументи",
+ "cluster_id_description": "Кластер ZCL для отримання атрибутів.",
+ "cluster_id": "ID кластера",
+ "type_of_the_cluster": "Тип кластера.",
+ "cluster_type": "Тип кластера",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "ID кінцевої точки для кластера.",
+ "endpoint_id": "ID кінцевої точки",
+ "ieee_description": "IEEE-адреса пристрою.",
+ "ieee": "IEEE",
+ "manufacturer": "Виробник",
+ "params_description": "Параметри для передачі команді.",
+ "params": "Параметри",
+ "issue_zigbee_cluster_command": "Видати команду кластера zigbee",
+ "group_description": "Шістнадцяткова адреса групи.",
+ "issue_zigbee_group_command": "Видати групову команду zigbee",
+ "permit_description": "Дозволяє вузлам приєднуватися до мережі Zigbee.",
+ "time_to_permit_joins": "Час, щоб дозволити приєднання.",
+ "install_code": "Код для встановлення",
+ "qr_code": "QR-код",
+ "source_ieee": "Джерело IEEE",
+ "permit": "Дозвіл",
+ "reconfigure_device": "Переналаштувати пристрій",
+ "remove_description": "Видаляє вузол з мережі Zigbee.",
+ "set_lock_user_code_description": "Встановлює код користувача на замок.",
+ "code_to_set": "Код для встановлення.",
+ "set_lock_user_code": "Встановити код користувача замка",
+ "attribute_description": "ID атрибута, який потрібно встановити.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Встановити атрибут кластера zigbee",
+ "level": "Level",
+ "strobe": "Стробоскоп",
+ "warning_device_squawk": "Писк попереджувального пристрою",
+ "duty_cycle": "Робочий цикл",
+ "intensity": "Інтенсивність",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3226,27 +3440,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Встановити попередньо встановлений режим",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Перезавантажити теми із конфігурації YAML",
"reload_themes": "Перезавантажити теми",
"name_of_a_theme": "Назва теми",
"set_the_default_theme": "Встановити тему за замовчуванням",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Перезавантажити все",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Вмикає/вимикає допоміжний обігрівач.",
+ "aux_heat_description": "Нове значення допоміжного обігрівача.",
+ "auxiliary_heating": "Допоміжний обігрів",
+ "turn_on_off_auxiliary_heater": "Увімкнення/вимкнення допоміжного обігрівача",
+ "sets_fan_operation_mode": "Встановлює режим роботи вентилятора.",
+ "fan_operation_mode": "Режим роботи вентилятора.",
+ "set_fan_mode": "Встановити режим вентилятора",
+ "sets_target_humidity": "Встановлює цільову вологість.",
+ "set_target_humidity": "Встановити цільову вологість",
+ "sets_hvac_operation_mode": "Встановлює режим роботи HVAC.",
+ "hvac_operation_mode": "Режим роботи HVAC.",
+ "set_hvac_mode": "Встановити режим HVAC",
+ "sets_preset_mode": "Встановлює попередньо встановлений режим.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Встановлює режим роботи гойдання.",
+ "swing_operation_mode": "Режим роботи гойдання.",
+ "set_swing_mode": "Встановити режим гойдання",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Встановити цільову температуру",
+ "turns_climate_device_off": "Вимикає кліматичний пристрій.",
+ "turns_climate_device_on": "Вмикає кліматичний пристрій.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3285,40 +3780,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3326,77 +3787,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3405,83 +3805,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/ur/ur.json b/packages/core/src/hooks/useLocale/locales/ur/ur.json
index cc4612d4..aa5b831d 100644
--- a/packages/core/src/hooks/useLocale/locales/ur/ur.json
+++ b/packages/core/src/hooks/useLocale/locales/ur/ur.json
@@ -739,7 +739,7 @@
"can_not_skip_version": "Can not skip version",
"update_instructions": "Update instructions",
"current_activity": "Current activity",
- "status": "Status",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Vacuum cleaner commands:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -857,7 +857,7 @@
"restart_home_assistant": "Restart Home Assistant?",
"advanced_options": "Advanced options",
"quick_reload": "Quick reload",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Reloading configuration",
"failed_to_reload_configuration": "Failed to reload configuration",
"restart_description": "Interrupts all running automations and scripts.",
@@ -885,8 +885,8 @@
"password": "Password",
"regex_pattern": "Regex pattern",
"used_for_client_side_validation": "Used for client-side validation",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Input field",
"slider": "Slider",
"step_size": "Step size",
@@ -1498,141 +1498,120 @@
"now": "Now",
"compare_data": "Compare data",
"reload_ui": "Reload UI",
- "input_datetime": "Input datetime",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Timer",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Device tracker",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Input boolean",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "Mobile App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Group",
+ "binary_sensor": "Binary sensor",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Input select",
+ "device_automation": "Device Automation",
+ "person": "Person",
+ "input_button": "Input button",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
+ "script": "Script",
"fan": "Fan",
- "weather": "Weather",
- "camera": "Camera",
+ "scene": "Scene",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "automation": "Automation",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Weather",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Conversation",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Input text",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Climate",
- "binary_sensor": "Binary sensor",
- "broadlink": "Broadlink",
+ "assist_satellite": "Assist satellite",
+ "automation": "Automation",
+ "system_log": "System Log",
+ "cover": "Cover",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Valve",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Cover",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Siren",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "zone": "Zone",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Device tracker",
+ "remote": "Remote",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Switch",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Vacuum",
+ "reolink": "Reolink",
+ "camera": "Camera",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Remote",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "Input number",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Conversation",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Climate",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Input boolean",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "zone": "Zone",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Alarm control panel",
- "input_select": "Input select",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Mobile App",
+ "timer": "Timer",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Switch",
+ "input_datetime": "Input datetime",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Counter",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Group",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
- "person": "Person",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Input text",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "Input number",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Siren",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Vacuum",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "script": "Script",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
@@ -1661,6 +1640,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Battery level",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1686,31 +1666,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Next dawn",
- "next_dusk": "Next dusk",
- "next_midnight": "Next midnight",
- "next_noon": "Next noon",
- "next_rising": "Next rising",
- "next_setting": "Next setting",
- "solar_azimuth": "Solar azimuth",
- "solar_elevation": "Solar elevation",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "illuminance": "Illuminance",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Calibration",
+ "auto_lock_paused": "Auto-lock paused",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Unclosed alarm",
+ "unlocked_alarm": "Unlocked alarm",
+ "bluetooth_signal": "Bluetooth signal",
+ "light_level": "Light level",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Momentary",
+ "pull_retract": "Pull/Retract",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1732,34 +1697,76 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "OS Agent version",
- "apparmor_version": "Apparmor version",
- "cpu_percent": "CPU percent",
- "disk_free": "Disk free",
- "disk_total": "Disk total",
- "disk_used": "Disk used",
- "memory_percent": "Memory percent",
- "version": "Version",
- "newest_version": "Newest version",
+ "day_of_week": "Day of week",
+ "illuminance": "Illuminance",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
"synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
"mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "off": "Off",
- "mute": "Mute",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Plugged in",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
"animal": "Animal",
"detected": "Detected",
"animal_lens": "Animal lens 1",
@@ -1833,6 +1840,7 @@
"pir_sensitivity": "PIR sensitivity",
"zoom": "Zoom",
"auto_quick_reply_message": "Auto quick reply message",
+ "off": "Off",
"auto_track_method": "Auto track method",
"digital": "Digital",
"digital_first": "Digital first",
@@ -1883,7 +1891,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Wi-Fi signal",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1900,6 +1907,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Siren on event",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist in progress",
+ "quiet": "Quiet",
+ "preferred": "Preferred",
+ "finished_speaking_detection": "Finished speaking detection",
+ "aggressive": "Aggressive",
+ "relaxed": "Relaxed",
+ "wake_word": "Wake word",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent version",
+ "apparmor_version": "Apparmor version",
+ "cpu_percent": "CPU percent",
+ "disk_free": "Disk free",
+ "disk_total": "Disk total",
+ "disk_used": "Disk used",
+ "memory_percent": "Memory percent",
+ "version": "Version",
+ "newest_version": "Newest version",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Next dawn",
+ "next_dusk": "Next dusk",
+ "next_midnight": "Next midnight",
+ "next_noon": "Next noon",
+ "next_rising": "Next rising",
+ "next_setting": "Next setting",
+ "solar_azimuth": "Solar azimuth",
+ "solar_elevation": "Solar elevation",
+ "solar_rising": "Solar rising",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1919,73 +1969,251 @@
"closing": "Closing",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Calibration",
- "auto_lock_paused": "Auto-lock paused",
- "timeout": "Timeout",
- "unclosed_alarm": "Unclosed alarm",
- "unlocked_alarm": "Unlocked alarm",
- "bluetooth_signal": "Bluetooth signal",
- "light_level": "Light level",
- "momentary": "Momentary",
- "pull_retract": "Pull/Retract",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Plugged in",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "max_length": "Max length",
- "min_length": "Min length",
- "pattern": "Pattern",
- "minute": "Minute",
- "second": "Second",
- "timestamp": "Timestamp",
- "stopped": "Stopped",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Fan group",
+ "light_group": "Light group",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Away preset temperature",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Local temperature offset",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Off transition time",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "On/Off transition time",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Default siren level",
+ "default_siren_tone": "Default siren tone",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "In progress",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Soil moisture",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Aux switch scenes",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Available tones",
"device_trackers": "Device trackers",
"gps_accuracy": "GPS accuracy",
- "paused": "Paused",
- "finishes_at": "Finishes at",
- "remaining": "Remaining",
- "restore": "Restore",
"last_reset": "Last reset",
"possible_states": "Possible states",
"state_class": "State class",
@@ -2018,84 +2246,12 @@
"sound_pressure": "Sound pressure",
"speed": "Speed",
"sulphur_dioxide": "Sulphur dioxide",
+ "timestamp": "Timestamp",
"vocs": "VOCs",
"volume_flow_rate": "Volume flow rate",
"stored_volume": "Stored volume",
"weight": "Weight",
- "cool": "Cool",
- "fan_only": "Fan only",
- "heat_cool": "Heat/cool",
- "aux_heat": "Aux heat",
- "current_humidity": "Current humidity",
- "current_temperature": "Current Temperature",
- "fan_mode": "Fan mode",
- "diffuse": "Diffuse",
- "middle": "Middle",
- "top": "Top",
- "current_action": "Current action",
- "cooling": "Cooling",
- "defrosting": "Defrosting",
- "drying": "Drying",
- "heating": "Heating",
- "preheating": "Preheating",
- "max_target_humidity": "Max target humidity",
- "max_target_temperature": "Max target temperature",
- "min_target_humidity": "Min target humidity",
- "min_target_temperature": "Min target temperature",
- "boost": "Boost",
- "comfort": "Comfort",
- "eco": "Eco",
- "sleep": "Sleep",
- "presets": "Presets",
- "horizontal_swing_mode": "Horizontal swing mode",
- "swing_mode": "Swing mode",
- "both": "Both",
- "horizontal": "Horizontal",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Target temperature step",
- "step": "Step",
- "not_charging": "Not charging",
- "disconnected": "Disconnected",
- "connected": "Connected",
- "hot": "Hot",
- "no_light": "No light",
- "light_detected": "Light detected",
- "locked": "Locked",
- "unlocked": "Unlocked",
- "not_moving": "Not moving",
- "unplugged": "Unplugged",
- "not_running": "Not running",
- "safe": "Safe",
- "unsafe": "Unsafe",
- "tampering_detected": "Tampering detected",
- "automatic": "Automatic",
- "box": "Box",
- "above_horizon": "Above horizon",
- "below_horizon": "Below horizon",
- "buffering": "Buffering",
- "playing": "Playing",
- "standby": "Standby",
- "app_id": "App ID",
- "local_accessible_entity_picture": "Local accessible entity picture",
- "group_members": "Group members",
- "muted": "Muted",
- "album_artist": "Album artist",
- "content_id": "Content ID",
- "content_type": "Content type",
- "channels": "Channels",
- "position_updated": "Position updated",
- "series": "Series",
- "all": "All",
- "one": "One",
- "available_sound_modes": "Available sound modes",
- "available_sources": "Available sources",
- "receiver": "Receiver",
- "speaker": "Speaker",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Router",
+ "managed_via_ui": "Managed via UI",
"color_mode": "Color Mode",
"brightness_only": "Brightness only",
"hs": "HS",
@@ -2111,13 +2267,36 @@
"minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)",
"minimum_color_temperature_mireds": "Minimum color temperature (mireds)",
"available_color_modes": "Available color modes",
- "available_tones": "Available tones",
"docked": "Docked",
"mowing": "Mowing",
+ "paused": "Paused",
"returning": "Returning",
+ "max_length": "Max length",
+ "min_length": "Min length",
+ "pattern": "Pattern",
+ "running_automations": "Running automations",
+ "max_running_scripts": "Max running scripts",
+ "run_mode": "Run mode",
+ "parallel": "Parallel",
+ "queued": "Queued",
+ "single": "Single",
+ "auto_update": "Auto update",
+ "installed_version": "Installed version",
+ "latest_version": "Latest version",
+ "release_summary": "Release summary",
+ "release_url": "Release URL",
+ "skipped_version": "Skipped version",
+ "firmware": "Firmware",
"oscillating": "Oscillating",
"speed_step": "Speed step",
"available_preset_modes": "Available preset modes",
+ "minute": "Minute",
+ "second": "Second",
+ "next_event": "Next event",
+ "step": "Step",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Router",
"clear_night": "Clear, night",
"cloudy": "Cloudy",
"exceptional": "Exceptional",
@@ -2140,26 +2319,9 @@
"uv_index": "UV index",
"wind_bearing": "Wind bearing",
"wind_gust_speed": "Wind gust speed",
- "auto_update": "Auto update",
- "in_progress": "In progress",
- "installed_version": "Installed version",
- "latest_version": "Latest version",
- "release_summary": "Release summary",
- "release_url": "Release URL",
- "skipped_version": "Skipped version",
- "firmware": "Firmware",
- "armed_away": "Armed away",
- "armed_custom_bypass": "Armed custom bypass",
- "armed_home": "Armed home",
- "armed_night": "Armed night",
- "armed_vacation": "Armed vacation",
- "disarming": "Disarming",
- "triggered": "Triggered",
- "changed_by": "Changed by",
- "code_for_arming": "Code for arming",
- "not_required": "Not required",
- "code_format": "Code format",
"identify": "Identify",
+ "cleaning": "Cleaning",
+ "returning_to_dock": "Returning to dock",
"recording": "Recording",
"streaming": "Streaming",
"access_token": "Access token",
@@ -2168,65 +2330,112 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "Model",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Automatic",
+ "box": "Box",
+ "jammed": "Jammed",
+ "locked": "Locked",
+ "locking": "Locking",
+ "unlocked": "Unlocked",
+ "unlocking": "Unlocking",
+ "changed_by": "Changed by",
+ "code_format": "Code format",
+ "members": "Members",
+ "listening": "Listening",
+ "processing": "Processing",
+ "responding": "Responding",
+ "id": "ID",
+ "max_running_automations": "Max running automations",
+ "cool": "Cool",
+ "fan_only": "Fan only",
+ "heat_cool": "Heat/cool",
+ "aux_heat": "Aux heat",
+ "current_humidity": "Current humidity",
+ "current_temperature": "Current Temperature",
+ "fan_mode": "Fan mode",
+ "diffuse": "Diffuse",
+ "middle": "Middle",
+ "top": "Top",
+ "current_action": "Current action",
+ "cooling": "Cooling",
+ "defrosting": "Defrosting",
+ "drying": "Drying",
+ "heating": "Heating",
+ "preheating": "Preheating",
+ "max_target_humidity": "Max target humidity",
+ "max_target_temperature": "Max target temperature",
+ "min_target_humidity": "Min target humidity",
+ "min_target_temperature": "Min target temperature",
+ "boost": "Boost",
+ "comfort": "Comfort",
+ "eco": "Eco",
+ "sleep": "Sleep",
+ "presets": "Presets",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "swing_mode": "Swing mode",
+ "both": "Both",
+ "horizontal": "Horizontal",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Target temperature step",
+ "stopped": "Stopped",
+ "garage": "Garage",
+ "not_charging": "Not charging",
+ "disconnected": "Disconnected",
+ "connected": "Connected",
+ "hot": "Hot",
+ "no_light": "No light",
+ "light_detected": "Light detected",
+ "not_moving": "Not moving",
+ "unplugged": "Unplugged",
+ "not_running": "Not running",
+ "safe": "Safe",
+ "unsafe": "Unsafe",
+ "tampering_detected": "Tampering detected",
+ "buffering": "Buffering",
+ "playing": "Playing",
+ "standby": "Standby",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "Local accessible entity picture",
+ "group_members": "Group members",
+ "muted": "Muted",
+ "album_artist": "Album artist",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "channels": "Channels",
+ "position_updated": "Position updated",
+ "series": "Series",
+ "all": "All",
+ "one": "One",
+ "available_sound_modes": "Available sound modes",
+ "available_sources": "Available sources",
+ "receiver": "Receiver",
+ "speaker": "Speaker",
+ "tv": "TV",
"end_time": "End time",
"start_time": "Start time",
- "next_event": "Next event",
- "garage": "Garage",
"event_type": "Event type",
"event_types": "Event types",
"doorbell": "Doorbell",
- "running_automations": "Running automations",
- "id": "ID",
- "max_running_automations": "Max running automations",
- "run_mode": "Run mode",
- "parallel": "Parallel",
- "queued": "Queued",
- "single": "Single",
- "cleaning": "Cleaning",
- "returning_to_dock": "Returning to dock",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Max running scripts",
- "jammed": "Jammed",
- "locking": "Locking",
- "unlocking": "Unlocking",
- "members": "Members",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Do you want to set up {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Failed to connect",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Invalid authentication",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Unexpected error",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "above_horizon": "Above horizon",
+ "below_horizon": "Below horizon",
+ "armed_away": "Armed away",
+ "armed_custom_bypass": "Armed custom bypass",
+ "armed_home": "Armed home",
+ "armed_night": "Armed night",
+ "armed_vacation": "Armed vacation",
+ "disarming": "Disarming",
+ "triggered": "Triggered",
+ "code_for_arming": "Code for arming",
+ "not_required": "Not required",
+ "finishes_at": "Finishes at",
+ "remaining": "Remaining",
+ "restore": "Restore",
"device_is_already_configured": "Device is already configured",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "No devices found on the network",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
"connection_error_error": "Connection error: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
@@ -2237,27 +2446,29 @@
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Do you want to start setup?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Unsupported Switchbot Type.",
+ "unexpected_error": "Unexpected error",
+ "authentication_failed_error_detail": "Authentication failed: {error_detail}",
+ "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Encryption key",
+ "key_id": "Key ID",
+ "password_description": "Password to protect the backup with.",
+ "mac_address": "MAC address",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Invalid hostname or IP address",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} at {host})",
"authenticate_to_the_device": "Authenticate to the device",
"finish_title": "Choose a name for the device",
@@ -2265,68 +2476,27 @@
"yes_do_it": "Yes, do it.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Configure Daikin AC",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Adapter",
- "multiple_adapters_description": "Select a Bluetooth adapter to set up",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Device class",
- "state_template": "State template",
- "template_binary_sensor": "Template binary sensor",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Template sensor",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Template a binary sensor",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Template a sensor",
- "template_a_switch": "Template a switch",
- "template_helper": "Template helper",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Two-factor code",
+ "two_factor_authentication": "Two-factor authentication",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Sign-in with Ring account",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2353,48 +2523,47 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Bridge is already configured",
- "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Updated deCONZ instance with new host address",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Couldn't get an API key",
- "link_with_deconz": "Link with deCONZ",
- "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Discovered ESPHome node",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "No port for endpoint",
- "abort_no_services": "No services found at endpoint",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Configure Daikin AC",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Unknown. Details: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Verify SSL certificate",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "Adapter",
+ "multiple_adapters_description": "Select a Bluetooth adapter to set up",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Two-factor code",
- "two_factor_authentication": "Two-factor authentication",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Sign-in with Ring account",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "All entities",
"hide_members": "Hide members",
"create_group": "Create Group",
+ "device_class": "Device Class",
"ignore_non_numeric": "Ignore non-numeric",
"data_round_digits": "Round value to number of decimals",
"type": "Type",
@@ -2402,128 +2571,161 @@
"button_group": "Button group",
"cover_group": "Cover group",
"event_group": "Event group",
- "fan_group": "Fan group",
- "light_group": "Light group",
"lock_group": "Lock group",
"media_player_group": "Media player group",
"notify_group": "Notify group",
"sensor_group": "Sensor group",
"switch_group": "Switch group",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Unsupported Switchbot Type.",
- "authentication_failed_error_detail": "Authentication failed: {error_detail}",
- "error_encryption_key_invalid": "Key ID or Encryption key is invalid",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Password to protect the backup with.",
- "device_address": "Device address",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Unknown. Details: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
- "ignore_cec": "Ignore CEC",
- "allowed_uuids": "Allowed UUIDs",
- "advanced_google_cast_configuration": "Advanced Google Cast configuration",
- "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
- "not_supported": "Not Supported",
- "localtuya_configuration": "LocalTuya Configuration",
- "init_description": "Please select the desired action.",
- "add_a_new_device": "Add a new device",
- "edit_a_device": "Edit a device",
- "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
- "discovered_devices": "Discovered Devices",
- "edit_a_new_device": "Edit a new device",
- "configured_devices": "Configured Devices",
- "max_temperature_constant_optional": "Max Temperature Constant (optional)",
- "min_temperature_constant_optional": "Min Temperature Constant (optional)",
- "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
- "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
- "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
- "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
- "configure_tuya_device": "Configure Tuya device",
- "configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "Device ID",
- "local_key": "Local key",
- "protocol_version": "Protocol Version",
- "data_entities": "Entities (uncheck an entity to remove it)",
- "data_add_entities": "Add more entities in 'edit device' mode",
- "entity_type_selection": "Entity type selection",
- "platform": "Platform",
- "data_no_additional_entities": "Do not add any more entities",
- "configure_entity": "Configure entity",
- "friendly_name": "Friendly name",
- "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
- "positioning_mode": "Positioning mode",
- "data_current_position_dp": "Current Position (for *position* mode only)",
- "data_set_position_dp": "Set Position (for *position* mode only)",
- "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
- "scaling_factor": "Scaling Factor",
- "on_value": "On Value",
- "off_value": "Off Value",
- "data_powergo_dp": "Power DP (Usually 25 or 2)",
- "idle_status_comma_separated": "Idle Status (comma-separated)",
- "returning_status": "Returning Status",
- "docked_status_comma_separated": "Docked Status (comma-separated)",
- "fault_dp_usually": "Fault DP (Usually 11)",
- "data_battery_dp": "Battery status DP (Usually 14)",
- "mode_dp_usually": "Mode DP (Usually 27)",
- "modes_list": "Modes list",
- "return_home_mode": "Return home mode",
- "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
- "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
- "data_clean_time_dp": "Clean Time DP (Usually 33)",
- "data_clean_area_dp": "Clean Area DP (Usually 32)",
- "data_clean_record_dp": "Clean Record DP (Usually 34)",
- "locate_dp_usually": "Locate DP (Usually 31)",
- "data_paused_state": "Pause state (pause, paused, etc)",
- "stop_status": "Stop status",
- "data_brightness": "Brightness (only for white color)",
- "brightness_lower_value": "Brightness Lower Value",
- "brightness_upper_value": "Brightness Upper Value",
- "color_temperature_reverse": "Color Temperature Reverse",
- "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
- "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
- "music_mode_available": "Music mode available",
- "data_select_options": "Valid entries, separate entries by a ;",
- "fan_speed_control_dps": "Fan Speed Control dps",
- "fan_oscillating_control_dps": "Fan Oscillating Control dps",
- "minimum_fan_speed_integer": "minimum fan speed integer",
- "maximum_fan_speed_integer": "maximum fan speed integer",
- "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
- "fan_direction_dps": "fan direction dps",
- "forward_dps_string": "forward dps string",
- "reverse_dps_string": "reverse dps string",
- "dp_value_type": "DP value type",
- "temperature_step_optional": "Temperature Step (optional)",
- "max_temperature_dp_optional": "Max Temperature DP (optional)",
- "min_temperature_dp_optional": "Min Temperature DP (optional)",
- "data_precision": "Precision (optional, for DPs values)",
- "data_target_precision": "Target Precision (optional, for DPs values)",
- "temperature_unit_optional": "Temperature Unit (optional)",
- "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
- "hvac_mode_set_optional": "HVAC Mode Set (optional)",
- "data_hvac_action_dp": "HVAC Current Action DP (optional)",
- "data_hvac_action_set": "HVAC Current Action Set (optional)",
- "presets_dp_optional": "Presets DP (optional)",
- "presets_set_optional": "Presets Set (optional)",
- "eco_dp_optional": "Eco DP (optional)",
- "eco_value_optional": "Eco value (optional)",
- "enable_heuristic_action_optional": "Enable heuristic action (optional)",
- "data_dps_default_value": "Default value when un-initialised (optional)",
- "minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Passive scanning",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
+ "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
+ "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
+ "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
+ "missing_mqtt_payload": "Missing MQTT Payload.",
+ "action_received": "Action received",
+ "discovered_esphome_node": "Discovered ESPHome node",
+ "bridge_is_already_configured": "Bridge is already configured",
+ "no_deconz_bridges_discovered": "No deCONZ bridges discovered",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Updated deCONZ instance with new host address",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Couldn't get an API key",
+ "link_with_deconz": "Link with deCONZ",
+ "select_discovered_deconz_gateway": "Select discovered deCONZ gateway",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "No port for endpoint",
+ "abort_no_services": "No services found at endpoint",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Arm away action",
+ "arm_custom_bypass_action": "Arm custom bypass action",
+ "arm_home_action": "Arm home action",
+ "arm_night_action": "Arm night action",
+ "arm_vacation_action": "Arm vacation action",
+ "code_arm_required": "Code arm required",
+ "disarm_action": "Disarm action",
+ "trigger_action": "Trigger action",
+ "value_template": "Value template",
+ "template_alarm_control_panel": "Template alarm control panel",
+ "state_template": "State template",
+ "template_binary_sensor": "Template binary sensor",
+ "actions_on_press": "Actions on press",
+ "template_button": "Template button",
+ "template_image": "Template image",
+ "actions_on_set_value": "Actions on set value",
+ "step_value": "Step value",
+ "template_number": "Template number",
+ "available_options": "Available options",
+ "actions_on_select": "Actions on select",
+ "template_select": "Template select",
+ "template_sensor": "Template sensor",
+ "actions_on_turn_off": "Actions on turn off",
+ "actions_on_turn_on": "Actions on turn on",
+ "template_switch": "Template switch",
+ "menu_options_alarm_control_panel": "Template an alarm control panel",
+ "template_a_binary_sensor": "Template a binary sensor",
+ "template_a_button": "Template a button",
+ "template_an_image": "Template an image",
+ "template_a_number": "Template a number",
+ "template_a_select": "Template a select",
+ "template_a_sensor": "Template a sensor",
+ "template_a_switch": "Template a switch",
+ "template_helper": "Template helper",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Group members assume state of group",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Retry count",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Event listener port (random if not set)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Broker options",
+ "enable_birth_message": "Enable birth message",
+ "birth_message_payload": "Birth message payload",
+ "birth_message_qos": "Birth message QoS",
+ "birth_message_retain": "Birth message retain",
+ "birth_message_topic": "Birth message topic",
+ "enable_discovery": "Enable discovery",
+ "discovery_prefix": "Discovery prefix",
+ "enable_will_message": "Enable will message",
+ "will_message_payload": "Will message payload",
+ "will_message_qos": "Will message QoS",
+ "will_message_retain": "Will message retain",
+ "will_message_topic": "Will message topic",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "MQTT options",
+ "passive_scanning": "Passive scanning",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
"samsungtv_smart_options": "SamsungTV Smart options",
"data_use_st_status_info": "Use SmartThings TV Status information",
"data_use_st_channel_info": "Use SmartThings TV Channels information",
@@ -2551,28 +2753,6 @@
"source_list_title": "SamsungTV Smart sources list configuration",
"sources_list": "Sources list:",
"error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker options",
- "enable_birth_message": "Enable birth message",
- "birth_message_payload": "Birth message payload",
- "birth_message_qos": "Birth message QoS",
- "birth_message_retain": "Birth message retain",
- "birth_message_topic": "Birth message topic",
- "enable_discovery": "Enable discovery",
- "discovery_prefix": "Discovery prefix",
- "enable_will_message": "Enable will message",
- "will_message_payload": "Will message payload",
- "will_message_qos": "Will message QoS",
- "will_message_retain": "Will message retain",
- "will_message_topic": "Will message topic",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "MQTT options",
- "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
- "data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
- "allow_deconz_light_groups": "Allow deCONZ light groups",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Configure visibility of deCONZ device types",
- "deconz_options": "deCONZ options",
"data_app_delete": "Check to delete this application",
"application_icon": "Application icon",
"application_id": "Application ID",
@@ -2580,26 +2760,111 @@
"configure_application_id_app_id": "Configure application ID {app_id}",
"configure_android_apps": "Configure Android apps",
"configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Event listener port (random if not set)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Retry count",
+ "ignore_cec": "Ignore CEC",
+ "allowed_uuids": "Allowed UUIDs",
+ "advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors",
+ "allow_deconz_light_groups": "Allow deCONZ light groups",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Configure visibility of deCONZ device types",
+ "deconz_options": "deCONZ options",
"select_test_server": "Select test server",
- "toggle_entity_name": "Toggle {entity_name}",
- "turn_off_entity_name": "Turn off {entity_name}",
- "turn_on_entity_name": "Turn on {entity_name}",
- "entity_name_is_off": "{entity_name} is off",
- "entity_name_is_on": "{entity_name} is on",
- "trigger_type_changed_states": "{entity_name} turned on or off",
- "entity_name_turned_off": "{entity_name} turned off",
- "entity_name_turned_on": "{entity_name} turned on",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
+ "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
+ "not_supported": "Not Supported",
+ "localtuya_configuration": "LocalTuya Configuration",
+ "init_description": "Please select the desired action.",
+ "add_a_new_device": "Add a new device",
+ "edit_a_device": "Edit a device",
+ "reconfigure_cloud_api_account": "Reconfigure Cloud API account",
+ "discovered_devices": "Discovered Devices",
+ "edit_a_new_device": "Edit a new device",
+ "configured_devices": "Configured Devices",
+ "max_temperature_constant_optional": "Max Temperature Constant (optional)",
+ "min_temperature_constant_optional": "Min Temperature Constant (optional)",
+ "data_hvac_fan_mode_dp": "HVAC Fan Mode DP (optional)",
+ "data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
+ "data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
+ "data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
+ "configure_tuya_device": "Configure Tuya device",
+ "configure_device_description": "Fill in the device details{for_device}.",
+ "device_id": "Device ID",
+ "local_key": "Local key",
+ "protocol_version": "Protocol Version",
+ "data_entities": "Entities (uncheck an entity to remove it)",
+ "data_add_entities": "Add more entities in 'edit device' mode",
+ "entity_type_selection": "Entity type selection",
+ "platform": "Platform",
+ "data_no_additional_entities": "Do not add any more entities",
+ "configure_entity": "Configure entity",
+ "friendly_name": "Friendly name",
+ "open_close_stop_commands_set": "Open_Close_Stop Commands Set",
+ "positioning_mode": "Positioning mode",
+ "data_current_position_dp": "Current Position (for *position* mode only)",
+ "data_set_position_dp": "Set Position (for *position* mode only)",
+ "data_position_inverted": "Invert 0-100 position (for *position* mode only)",
+ "scaling_factor": "Scaling Factor",
+ "on_value": "On Value",
+ "off_value": "Off Value",
+ "data_powergo_dp": "Power DP (Usually 25 or 2)",
+ "idle_status_comma_separated": "Idle Status (comma-separated)",
+ "returning_status": "Returning Status",
+ "docked_status_comma_separated": "Docked Status (comma-separated)",
+ "fault_dp_usually": "Fault DP (Usually 11)",
+ "data_battery_dp": "Battery status DP (Usually 14)",
+ "mode_dp_usually": "Mode DP (Usually 27)",
+ "modes_list": "Modes list",
+ "return_home_mode": "Return home mode",
+ "data_fan_speed_dp": "Fan speeds DP (Usually 30)",
+ "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)",
+ "data_clean_time_dp": "Clean Time DP (Usually 33)",
+ "data_clean_area_dp": "Clean Area DP (Usually 32)",
+ "data_clean_record_dp": "Clean Record DP (Usually 34)",
+ "locate_dp_usually": "Locate DP (Usually 31)",
+ "data_paused_state": "Pause state (pause, paused, etc)",
+ "stop_status": "Stop status",
+ "data_brightness": "Brightness (only for white color)",
+ "brightness_lower_value": "Brightness Lower Value",
+ "brightness_upper_value": "Brightness Upper Value",
+ "color_temperature_reverse": "Color Temperature Reverse",
+ "data_color_temp_min_kelvin": "Minimum Color Temperature in K",
+ "data_color_temp_max_kelvin": "Maximum Color Temperature in K",
+ "music_mode_available": "Music mode available",
+ "data_select_options": "Valid entries, separate entries by a ;",
+ "fan_speed_control_dps": "Fan Speed Control dps",
+ "fan_oscillating_control_dps": "Fan Oscillating Control dps",
+ "minimum_fan_speed_integer": "minimum fan speed integer",
+ "maximum_fan_speed_integer": "maximum fan speed integer",
+ "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)",
+ "fan_direction_dps": "fan direction dps",
+ "forward_dps_string": "forward dps string",
+ "reverse_dps_string": "reverse dps string",
+ "dp_value_type": "DP value type",
+ "temperature_step_optional": "Temperature Step (optional)",
+ "max_temperature_dp_optional": "Max Temperature DP (optional)",
+ "min_temperature_dp_optional": "Min Temperature DP (optional)",
+ "data_precision": "Precision (optional, for DPs values)",
+ "data_target_precision": "Target Precision (optional, for DPs values)",
+ "temperature_unit_optional": "Temperature Unit (optional)",
+ "hvac_mode_dp_optional": "HVAC Mode DP (optional)",
+ "hvac_mode_set_optional": "HVAC Mode Set (optional)",
+ "data_hvac_action_dp": "HVAC Current Action DP (optional)",
+ "data_hvac_action_set": "HVAC Current Action Set (optional)",
+ "presets_dp_optional": "Presets DP (optional)",
+ "presets_set_optional": "Presets Set (optional)",
+ "eco_dp_optional": "Eco DP (optional)",
+ "eco_value_optional": "Eco value (optional)",
+ "enable_heuristic_action_optional": "Enable heuristic action (optional)",
+ "data_dps_default_value": "Default value when un-initialised (optional)",
+ "minimum_increment_between_numbers": "Minimum increment between numbers",
+ "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
+ "data_new_uuid": "Enter a new allowed UUID",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Current {entity_name} apparent power",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2694,6 +2959,59 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
+ "increase_entity_name_brightness": "Increase {entity_name} brightness",
+ "flash_entity_name": "Flash {entity_name}",
+ "toggle_entity_name": "Toggle {entity_name}",
+ "turn_off_entity_name": "Turn off {entity_name}",
+ "turn_on_entity_name": "Turn on {entity_name}",
+ "entity_name_is_off": "{entity_name} is off",
+ "entity_name_is_on": "{entity_name} is on",
+ "flash": "Flash",
+ "trigger_type_changed_states": "{entity_name} turned on or off",
+ "entity_name_turned_off": "{entity_name} turned off",
+ "entity_name_turned_on": "{entity_name} turned on",
+ "set_value_for_entity_name": "Set value for {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} update availability changed",
+ "entity_name_became_up_to_date": "{entity_name} became up-to-date",
+ "trigger_type_update": "{entity_name} got an update available",
+ "first_button": "First button",
+ "second_button": "Second button",
+ "third_button": "Third button",
+ "fourth_button": "Fourth button",
+ "fifth_button": "Fifth button",
+ "sixth_button": "Sixth button",
+ "subtype_double_clicked": "\"{subtype}\" double clicked",
+ "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
+ "trigger_type_button_long_release": "\"{subtype}\" released after long press",
+ "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
+ "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
+ "subtype_pressed": "\"{subtype}\" pressed",
+ "subtype_released": "\"{subtype}\" released",
+ "subtype_triple_clicked": "\"{subtype}\" triple clicked",
+ "entity_name_is_home": "{entity_name} is home",
+ "entity_name_is_not_home": "{entity_name} is not home",
+ "entity_name_enters_a_zone": "{entity_name} enters a zone",
+ "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
+ "press_entity_name_button": "Press {entity_name} button",
+ "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "let_entity_name_clean": "Let {entity_name} clean",
+ "action_type_dock": "Let {entity_name} return to the dock",
+ "entity_name_is_cleaning": "{entity_name} is cleaning",
+ "entity_name_is_docked": "{entity_name} is docked",
+ "entity_name_started_cleaning": "{entity_name} started cleaning",
+ "entity_name_docked": "{entity_name} docked",
+ "send_a_notification": "Send a notification",
+ "lock_entity_name": "Lock {entity_name}",
+ "open_entity_name": "Open {entity_name}",
+ "unlock_entity_name": "Unlock {entity_name}",
+ "entity_name_is_locked": "{entity_name} is locked",
+ "entity_name_is_open": "{entity_name} is open",
+ "entity_name_is_unlocked": "{entity_name} is unlocked",
+ "entity_name_locked": "{entity_name} locked",
+ "entity_name_opened": "{entity_name} opened",
+ "entity_name_unlocked": "{entity_name} unlocked",
"action_type_set_hvac_mode": "Change HVAC mode on {entity_name}",
"change_preset_on_entity_name": "Change preset on {entity_name}",
"hvac_mode": "HVAC mode",
@@ -2701,8 +3019,22 @@
"entity_name_measured_humidity_changed": "{entity_name} measured humidity changed",
"entity_name_measured_temperature_changed": "{entity_name} measured temperature changed",
"entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Close {entity_name}",
+ "close_entity_name_tilt": "Close {entity_name} tilt",
+ "open_entity_name_tilt": "Open {entity_name} tilt",
+ "set_entity_name_position": "Set {entity_name} position",
+ "set_entity_name_tilt_position": "Set {entity_name} tilt position",
+ "stop_entity_name": "Stop {entity_name}",
+ "entity_name_is_closed": "{entity_name} is closed",
+ "entity_name_is_closing": "{entity_name} is closing",
+ "entity_name_is_opening": "{entity_name} is opening",
+ "current_entity_name_position_is": "Current {entity_name} position is",
+ "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
+ "entity_name_closed": "{entity_name} closed",
+ "entity_name_closing": "{entity_name} closing",
+ "entity_name_opening": "{entity_name} opening",
+ "entity_name_position_changes": "{entity_name} position changes",
+ "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
"entity_name_battery_is_low": "{entity_name} battery is low",
"entity_name_is_charging": "{entity_name} is charging",
"condition_type_is_co": "{entity_name} is detecting carbon monoxide",
@@ -2711,7 +3043,6 @@
"entity_name_is_detecting_gas": "{entity_name} is detecting gas",
"entity_name_is_hot": "{entity_name} is hot",
"entity_name_is_detecting_light": "{entity_name} is detecting light",
- "entity_name_is_locked": "{entity_name} is locked",
"entity_name_is_moist": "{entity_name} is moist",
"entity_name_is_detecting_motion": "{entity_name} is detecting motion",
"entity_name_is_moving": "{entity_name} is moving",
@@ -2729,11 +3060,9 @@
"entity_name_is_not_cold": "{entity_name} is not cold",
"entity_name_is_disconnected": "{entity_name} is disconnected",
"entity_name_is_not_hot": "{entity_name} is not hot",
- "entity_name_is_unlocked": "{entity_name} is unlocked",
"entity_name_is_dry": "{entity_name} is dry",
"entity_name_is_not_moving": "{entity_name} is not moving",
"entity_name_is_not_occupied": "{entity_name} is not occupied",
- "entity_name_is_closed": "{entity_name} is closed",
"entity_name_is_unplugged": "{entity_name} is unplugged",
"entity_name_is_not_powered": "{entity_name} is not powered",
"entity_name_is_not_present": "{entity_name} is not present",
@@ -2741,7 +3070,6 @@
"condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
"entity_name_is_safe": "{entity_name} is safe",
"entity_name_is_occupied": "{entity_name} is occupied",
- "entity_name_is_open": "{entity_name} is open",
"entity_name_is_plugged_in": "{entity_name} is plugged in",
"entity_name_is_powered": "{entity_name} is powered",
"entity_name_is_present": "{entity_name} is present",
@@ -2761,7 +3089,6 @@
"entity_name_started_detecting_gas": "{entity_name} started detecting gas",
"entity_name_became_hot": "{entity_name} became hot",
"entity_name_started_detecting_light": "{entity_name} started detecting light",
- "entity_name_locked": "{entity_name} locked",
"entity_name_became_moist": "{entity_name} became moist",
"entity_name_started_detecting_motion": "{entity_name} started detecting motion",
"entity_name_started_moving": "{entity_name} started moving",
@@ -2772,18 +3099,15 @@
"entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem",
"entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke",
"entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound",
- "entity_name_became_up_to_date": "{entity_name} became up-to-date",
"entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration",
"entity_name_battery_normal": "{entity_name} battery normal",
"entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} became not cold",
"entity_name_disconnected": "{entity_name} disconnected",
"entity_name_became_not_hot": "{entity_name} became not hot",
- "entity_name_unlocked": "{entity_name} unlocked",
"entity_name_became_dry": "{entity_name} became dry",
"entity_name_stopped_moving": "{entity_name} stopped moving",
"entity_name_became_not_occupied": "{entity_name} became not occupied",
- "entity_name_closed": "{entity_name} closed",
"entity_name_unplugged": "{entity_name} unplugged",
"entity_name_not_powered": "{entity_name} not powered",
"entity_name_not_present": "{entity_name} not present",
@@ -2791,7 +3115,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering",
"entity_name_became_safe": "{entity_name} became safe",
"entity_name_became_occupied": "{entity_name} became occupied",
- "entity_name_opened": "{entity_name} opened",
"entity_name_plugged_in": "{entity_name} plugged in",
"entity_name_powered": "{entity_name} powered",
"entity_name_present": "{entity_name} present",
@@ -2799,46 +3122,16 @@
"entity_name_started_running": "{entity_name} started running",
"entity_name_started_detecting_smoke": "{entity_name} started detecting smoke",
"entity_name_started_detecting_sound": "{entity_name} started detecting sound",
- "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
- "entity_name_became_unsafe": "{entity_name} became unsafe",
- "trigger_type_update": "{entity_name} got an update available",
- "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
- "entity_name_is_buffering": "{entity_name} is buffering",
- "entity_name_is_idle": "{entity_name} is idle",
- "entity_name_is_paused": "{entity_name} is paused",
- "entity_name_is_playing": "{entity_name} is playing",
- "entity_name_starts_buffering": "{entity_name} starts buffering",
- "entity_name_becomes_idle": "{entity_name} becomes idle",
- "entity_name_starts_playing": "{entity_name} starts playing",
- "entity_name_is_home": "{entity_name} is home",
- "entity_name_is_not_home": "{entity_name} is not home",
- "entity_name_enters_a_zone": "{entity_name} enters a zone",
- "entity_name_leaves_a_zone": "{entity_name} leaves a zone",
- "decrease_entity_name_brightness": "Decrease {entity_name} brightness",
- "increase_entity_name_brightness": "Increase {entity_name} brightness",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Flash",
- "entity_name_update_availability_changed": "{entity_name} update availability changed",
- "arm_entity_name_away": "Arm {entity_name} away",
- "arm_entity_name_home": "Arm {entity_name} home",
- "arm_entity_name_night": "Arm {entity_name} night",
- "arm_entity_name_vacation": "Arm {entity_name} vacation",
- "disarm_entity_name": "Disarm {entity_name}",
- "trigger_entity_name": "Trigger {entity_name}",
- "entity_name_is_armed_away": "{entity_name} is armed away",
- "entity_name_is_armed_home": "{entity_name} is armed home",
- "entity_name_is_armed_night": "{entity_name} is armed night",
- "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
- "entity_name_is_disarmed": "{entity_name} is disarmed",
- "entity_name_is_triggered": "{entity_name} is triggered",
- "entity_name_armed_away": "{entity_name} armed away",
- "entity_name_armed_home": "{entity_name} armed home",
- "entity_name_armed_night": "{entity_name} armed night",
- "entity_name_armed_vacation": "{entity_name} armed vacation",
- "entity_name_disarmed": "{entity_name} disarmed",
- "entity_name_triggered": "{entity_name} triggered",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
+ "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering",
+ "entity_name_became_unsafe": "{entity_name} became unsafe",
+ "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration",
+ "entity_name_is_buffering": "{entity_name} is buffering",
+ "entity_name_is_idle": "{entity_name} is idle",
+ "entity_name_is_paused": "{entity_name} is paused",
+ "entity_name_is_playing": "{entity_name} is playing",
+ "entity_name_starts_buffering": "{entity_name} starts buffering",
+ "entity_name_becomes_idle": "{entity_name} becomes idle",
+ "entity_name_starts_playing": "{entity_name} starts playing",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
@@ -2848,35 +3141,6 @@
"cycle": "Cycle",
"from": "From",
"entity_name_option_changed": "{entity_name} option changed",
- "close_entity_name": "Close {entity_name}",
- "close_entity_name_tilt": "Close {entity_name} tilt",
- "open_entity_name": "Open {entity_name}",
- "open_entity_name_tilt": "Open {entity_name} tilt",
- "set_entity_name_position": "Set {entity_name} position",
- "set_entity_name_tilt_position": "Set {entity_name} tilt position",
- "stop_entity_name": "Stop {entity_name}",
- "entity_name_is_closing": "{entity_name} is closing",
- "entity_name_is_opening": "{entity_name} is opening",
- "current_entity_name_position_is": "Current {entity_name} position is",
- "condition_type_is_tilt_position": "Current {entity_name} tilt position is",
- "entity_name_closing": "{entity_name} closing",
- "entity_name_opening": "{entity_name} opening",
- "entity_name_position_changes": "{entity_name} position changes",
- "entity_name_tilt_position_changes": "{entity_name} tilt position changes",
- "first_button": "First button",
- "second_button": "Second button",
- "third_button": "Third button",
- "fourth_button": "Fourth button",
- "fifth_button": "Fifth button",
- "sixth_button": "Sixth button",
- "subtype_double_clicked": "{subtype} double clicked",
- "subtype_continuously_pressed": "\"{subtype}\" continuously pressed",
- "trigger_type_button_long_release": "\"{subtype}\" released after long press",
- "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked",
- "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked",
- "subtype_pressed": "\"{subtype}\" pressed",
- "subtype_released": "\"{subtype}\" released",
- "subtype_triple_clicked": "{subtype} triple clicked",
"both_buttons": "Both buttons",
"bottom_buttons": "Bottom buttons",
"seventh_button": "Seventh button",
@@ -2901,13 +3165,6 @@
"trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"",
"device_turned_clockwise": "Device turned clockwise",
"device_turned_counter_clockwise": "Device turned counter clockwise",
- "send_a_notification": "Send a notification",
- "let_entity_name_clean": "Let {entity_name} clean",
- "action_type_dock": "Let {entity_name} return to the dock",
- "entity_name_is_cleaning": "{entity_name} is cleaning",
- "entity_name_is_docked": "{entity_name} is docked",
- "entity_name_started_cleaning": "{entity_name} started cleaning",
- "entity_name_docked": "{entity_name} docked",
"subtype_button_down": "{subtype} button down",
"subtype_button_up": "{subtype} button up",
"subtype_double_push": "{subtype} double push",
@@ -2918,29 +3175,54 @@
"trigger_type_single_long": "{subtype} single clicked and then long clicked",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Lock {entity_name}",
- "unlock_entity_name": "Unlock {entity_name}",
+ "arm_entity_name_away": "Arm {entity_name} away",
+ "arm_entity_name_home": "Arm {entity_name} home",
+ "arm_entity_name_night": "Arm {entity_name} night",
+ "arm_entity_name_vacation": "Arm {entity_name} vacation",
+ "disarm_entity_name": "Disarm {entity_name}",
+ "trigger_entity_name": "Trigger {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} is armed away",
+ "entity_name_is_armed_home": "{entity_name} is armed home",
+ "entity_name_is_armed_night": "{entity_name} is armed night",
+ "entity_name_is_armed_vacation": "{entity_name} is armed vacation",
+ "entity_name_is_disarmed": "{entity_name} is disarmed",
+ "entity_name_is_triggered": "{entity_name} is triggered",
+ "entity_name_armed_away": "{entity_name} armed away",
+ "entity_name_armed_home": "{entity_name} armed home",
+ "entity_name_armed_night": "{entity_name} armed night",
+ "entity_name_armed_vacation": "{entity_name} armed vacation",
+ "entity_name_disarmed": "{entity_name} disarmed",
+ "entity_name_triggered": "{entity_name} triggered",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Squawk",
+ "warn": "Warn",
+ "color_hue": "Color hue",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "With face 6 activated",
+ "with_any_specified_face_s_activated": "With any/specified face(s) activated",
+ "device_dropped": "Device dropped",
+ "device_flipped_subtype": "Device flipped \"{subtype}\"",
+ "device_knocked_subtype": "Device knocked \"{subtype}\"",
+ "device_offline": "Device offline",
+ "device_rotated_subtype": "Device rotated \"{subtype}\"",
+ "device_slid_subtype": "Device slid \"{subtype}\"",
+ "device_tilted": "Device tilted",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" double clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" continuously pressed (Alternate mode)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" released after long press (Alternate mode)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" quadruple clicked (Alternate mode)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" quintuple clicked (Alternate mode)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" pressed (Alternate mode)",
+ "subtype_released_alternate_mode": "\"{subtype}\" released (Alternate mode)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" triple clicked (Alternate mode)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "No unit of measurement",
- "critical": "Critical",
- "debug": "Debug",
- "info": "Info",
- "warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
- "passive": "Passive",
- "most_recently_updated": "Most recently updated",
- "arithmetic_mean": "Arithmetic mean",
- "median": "Median",
- "product": "Product",
- "statistical_range": "Statistical range",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
"alice_blue": "Alice blue",
"antique_white": "Antique white",
"aqua": "Aqua",
@@ -3071,52 +3353,22 @@
"wheat": "Wheat",
"white_smoke": "White smoke",
"yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Sends the toggle command.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Activates a scene with configuration.",
- "entities_description": "List of entities and their target state.",
- "entities_state": "Entities state",
- "transition": "Transition",
- "apply": "Apply",
- "creates_a_new_scene": "Creates a new scene.",
- "scene_id_description": "The entity ID of the new scene.",
- "scene_entity_id": "Scene entity ID",
- "snapshot_entities": "Snapshot entities",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Activates a scene.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "critical": "Critical",
+ "debug": "Debug",
+ "info": "Info",
+ "warning": "Warning",
+ "passive": "Passive",
+ "no_code_format": "No code format",
+ "no_unit_of_measurement": "No unit of measurement",
+ "fatal": "Fatal",
+ "most_recently_updated": "Most recently updated",
+ "arithmetic_mean": "Arithmetic mean",
+ "median": "Median",
+ "product": "Product",
+ "statistical_range": "Statistical range",
+ "standard_deviation": "Standard deviation",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Sets a random effect.",
"sequence_description": "List of HSV sequences (Max 16).",
"backgrounds": "Backgrounds",
@@ -3133,6 +3385,7 @@
"saturation_range": "Saturation range",
"segments_description": "List of Segments (0 for all).",
"segments": "Segments",
+ "transition": "Transition",
"range_of_transition": "Range of transition.",
"transition_range": "Transition range",
"random_effect": "Random effect",
@@ -3143,102 +3396,11 @@
"speed_of_spread": "Speed of spread.",
"spread": "Spread",
"sequence_effect": "Sequence effect",
- "check_configuration": "Check configuration",
- "reload_all": "Reload all",
- "reload_config_entry_description": "Reloads the specified config entry.",
- "config_entry_id": "Config entry ID",
- "reload_config_entry": "Reload config entry",
- "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
- "reload_core_configuration": "Reload core configuration",
- "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
- "restarts_home_assistant": "Restarts Home Assistant.",
- "safe_mode_description": "Disable custom integrations and custom cards.",
- "save_persistent_states": "Save persistent states",
- "set_location_description": "Updates the Home Assistant location.",
- "elevation_description": "Elevation of your location above sea level.",
- "latitude_of_your_location": "Latitude of your location.",
- "longitude_of_your_location": "Longitude of your location.",
- "set_location": "Set location",
- "stops_home_assistant": "Stops Home Assistant.",
- "generic_toggle": "Generic toggle",
- "generic_turn_off": "Generic turn off",
- "generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
- "entities_to_update": "Entities to update",
- "update_entity": "Update entity",
- "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
- "aux_heat_description": "New value of auxiliary heater.",
- "auxiliary_heating": "Auxiliary heating",
- "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
- "sets_fan_operation_mode": "Sets fan operation mode.",
- "fan_operation_mode": "Fan operation mode.",
- "set_fan_mode": "Set fan mode",
- "sets_target_humidity": "Sets target humidity.",
- "set_target_humidity": "Set target humidity",
- "sets_hvac_operation_mode": "Sets HVAC operation mode.",
- "hvac_operation_mode": "HVAC operation mode.",
- "set_hvac_mode": "Set HVAC mode",
- "sets_preset_mode": "Sets preset mode.",
- "set_preset_mode": "Set preset mode",
- "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
- "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
- "set_horizontal_swing_mode": "Set horizontal swing mode",
- "sets_swing_operation_mode": "Sets swing operation mode.",
- "swing_operation_mode": "Swing operation mode.",
- "set_swing_mode": "Set swing mode",
- "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
- "the_max_temperature_setpoint": "The max temperature setpoint.",
- "the_min_temperature_setpoint": "The min temperature setpoint.",
- "the_temperature_setpoint": "The temperature setpoint.",
- "set_target_temperature": "Set target temperature",
- "turns_climate_device_off": "Turns climate device off.",
- "turns_climate_device_on": "Turns climate device on.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
- "clear_playlist_description": "Removes all items from the playlist.",
- "clear_playlist": "Clear playlist",
- "selects_the_next_track": "Selects the next track.",
- "pauses": "Pauses.",
- "starts_playing": "Starts playing.",
- "toggles_play_pause": "Toggles play/pause.",
- "selects_the_previous_track": "Selects the previous track.",
- "seek": "Seek",
- "stops_playing": "Stops playing.",
- "starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
- "enqueue": "Enqueue",
- "repeat_mode_to_set": "Repeat mode to set.",
- "select_sound_mode_description": "Selects a specific sound mode.",
- "select_sound_mode": "Select sound mode",
- "select_source": "Select source",
- "shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
- "unjoin": "Unjoin",
- "turns_down_the_volume": "Turns down the volume.",
- "turn_down_volume": "Turn down volume",
- "volume_mute_description": "Mutes or unmutes the media player.",
- "is_volume_muted_description": "Defines whether or not it is muted.",
- "mute_unmute_volume": "Mute/unmute volume",
- "sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
- "set_volume": "Set volume",
- "turns_up_the_volume": "Turns up the volume.",
- "turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Toggles the siren on/off.",
+ "turns_the_siren_off": "Turns the siren off.",
+ "turns_the_siren_on": "Turns the siren on.",
"brightness_value": "Brightness value",
"a_human_readable_color_name": "A human-readable color name.",
"color_name": "Color name",
@@ -3251,25 +3413,70 @@
"rgbww_color": "RGBWW-color",
"white_description": "Set the light to white mode.",
"xy_color": "XY-color",
+ "turn_off_description": "Sends the turn off command.",
"brightness_step_description": "Change brightness by an amount.",
- "brightness_step_value": "Brightness step value",
- "brightness_step_pct_description": "Change brightness by a percentage.",
- "brightness_step": "Brightness step",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
+ "brightness_step_value": "Brightness step value",
+ "brightness_step_pct_description": "Change brightness by a percentage.",
+ "brightness_step": "Brightness step",
+ "toggles_the_helper_on_off": "Toggles the helper on/off.",
+ "turns_off_the_helper": "Turns off the helper.",
+ "turns_on_the_helper": "Turns on the helper.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Sets the value.",
+ "enter_your_text": "Enter your text.",
+ "set_value": "Set value",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Arguments to pass to the command.",
+ "args": "Args",
+ "cluster_id_description": "ZCL cluster to retrieve attributes for.",
+ "cluster_id": "Cluster ID",
+ "type_of_the_cluster": "Type of the cluster.",
+ "cluster_type": "Cluster Type",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "Endpoint ID for the cluster.",
+ "endpoint_id": "Endpoint ID",
+ "ieee_description": "IEEE address for the device.",
+ "ieee": "IEEE",
+ "manufacturer": "Manufacturer",
+ "params_description": "Parameters to pass to the command.",
+ "params": "Params",
+ "issue_zigbee_cluster_command": "Issue zigbee cluster command",
+ "group_description": "Hexadecimal address of the group.",
+ "issue_zigbee_group_command": "Issue zigbee group command",
+ "permit_description": "Allows nodes to join the Zigbee network.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Removes a node from the Zigbee network.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID of the attribute to set.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Set zigbee cluster attribute",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
"dump_log_objects": "Dump log objects",
"log_current_tasks_description": "Logs all the current asyncio tasks.",
"log_current_asyncio_tasks": "Log current asyncio tasks",
@@ -3295,27 +3502,308 @@
"stop_logging_object_sources": "Stop logging object sources",
"stop_log_objects_description": "Stops logging growth of objects in memory.",
"stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Clear skipped update",
+ "install_update": "Install update",
+ "skip_description": "Marks currently available update as skipped.",
+ "skip_update": "Skip update",
+ "decrease_speed_description": "Decreases the speed of a fan.",
+ "decrease_speed": "Decrease speed",
+ "increase_speed_description": "Increases the speed of a fan.",
+ "increase_speed": "Increase speed",
+ "oscillate_description": "Controls the oscillation of a fan.",
+ "turns_oscillation_on_off": "Turns oscillation on/off.",
+ "set_direction_description": "Sets a fan's rotation direction.",
+ "direction_description": "Direction of the fan rotation.",
+ "set_direction": "Set direction",
+ "set_percentage_description": "Sets the speed of a fan.",
+ "speed_of_the_fan": "Speed of the fan.",
+ "percentage": "Percentage",
+ "set_speed": "Set speed",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Preset fan mode.",
+ "set_preset_mode": "Set preset mode",
+ "toggles_a_fan_on_off": "Toggles a fan on/off.",
+ "turns_fan_off": "Turns fan off.",
+ "turns_fan_on": "Turns fan on.",
+ "set_datetime_description": "Sets the date and/or time.",
+ "the_target_date": "The target date.",
+ "datetime_description": "The target date & time.",
+ "date_time": "Date & time",
+ "the_target_time": "The target time.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Activates a scene with configuration.",
+ "entities_description": "List of entities and their target state.",
+ "entities_state": "Entities state",
+ "apply": "Apply",
+ "creates_a_new_scene": "Creates a new scene.",
+ "entity_states": "Entity states",
+ "scene_id_description": "The entity ID of the new scene.",
+ "scene_entity_id": "Scene entity ID",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Deletes a dynamically created scene.",
+ "activates_a_scene": "Activates a scene.",
"reload_themes_description": "Reloads themes from the YAML-configuration.",
"reload_themes": "Reload themes",
"name_of_a_theme": "Name of a theme.",
"set_the_default_theme": "Set the default theme",
+ "decrement_description": "Decrements the current value by 1 step.",
+ "increment_description": "Increments the current value by 1 step.",
+ "reset_description": "Resets a counter to its initial value.",
+ "set_value_description": "Sets the value of a number.",
+ "check_configuration": "Check configuration",
+ "reload_all": "Reload all",
+ "reload_config_entry_description": "Reloads the specified config entry.",
+ "config_entry_id": "Config entry ID",
+ "reload_config_entry": "Reload config entry",
+ "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.",
+ "reload_core_configuration": "Reload core configuration",
+ "reload_custom_jinja_templates": "Reload custom Jinja2 templates",
+ "restarts_home_assistant": "Restarts Home Assistant.",
+ "safe_mode_description": "Disable custom integrations and custom cards.",
+ "save_persistent_states": "Save persistent states",
+ "set_location_description": "Updates the Home Assistant location.",
+ "elevation_description": "Elevation of your location above sea level.",
+ "latitude_of_your_location": "Latitude of your location.",
+ "longitude_of_your_location": "Longitude of your location.",
+ "set_location": "Set location",
+ "stops_home_assistant": "Stops Home Assistant.",
+ "generic_toggle": "Generic toggle",
+ "generic_turn_off": "Generic turn off",
+ "generic_turn_on": "Generic turn on",
+ "entities_to_update": "Entities to update",
+ "update_entity": "Update entity",
+ "notify_description": "Sends a notification message to selected targets.",
+ "data": "Data",
+ "title_for_your_notification": "Title for your notification.",
+ "title_of_the_notification": "Title of the notification.",
+ "send_a_persistent_notification": "Send a persistent notification",
+ "sends_a_notification_message": "Sends a notification message.",
+ "your_notification_message": "Your notification message.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Send a notification message",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Topic to listen to.",
+ "topic": "Topic",
+ "export": "Export",
+ "publish_description": "Publishes a message to an MQTT topic.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "The payload to publish.",
+ "payload": "Payload",
+ "payload_template": "Payload template",
+ "qos": "QoS",
+ "retain": "Retain",
+ "topic_to_publish_to": "Topic to publish to.",
+ "publish": "Publish",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Battery level of the device.",
+ "gps_coordinates": "GPS coordinates",
+ "gps_accuracy_description": "Accuracy of the GPS coordinates.",
+ "hostname_of_the_device": "Hostname of the device.",
+ "hostname": "Hostname",
+ "mac_description": "MAC address of the device.",
+ "see": "See",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Sends the toggle command.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Get weather forecast.",
+ "type_description": "Forecast type: daily, hourly or twice daily.",
+ "forecast_type": "Forecast type",
+ "get_forecast": "Get forecast",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Press the button entity.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Toggles a media player on/off.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
"clear_tts_cache": "Clear TTS cache",
"cache": "Cache",
"language_description": "Language of text. Defaults to server language.",
"options_description": "A dictionary containing integration-specific options.",
"say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
"media_player_entity": "Media player entity",
"speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Toggles the siren on/off.",
- "turns_the_siren_off": "Turns the siren off.",
- "turns_the_siren_on": "Turns the siren on.",
- "toggles_the_helper_on_off": "Toggles the helper on/off.",
- "turns_off_the_helper": "Turns off the helper.",
- "turns_on_the_helper": "Turns on the helper.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
+ "send_text_command": "Send text command",
+ "the_target_value": "The target value.",
+ "removes_a_group": "Removes a group.",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "Creates/Updates a group.",
+ "add_entities": "Add entities",
+ "icon_description": "Name of the icon for the group.",
+ "name_of_the_group": "Name of the group.",
+ "remove_entities": "Remove entities",
+ "locks_a_lock": "Locks a lock.",
+ "code_description": "Code to arm the alarm.",
+ "opens_a_lock": "Opens a lock.",
+ "unlocks_a_lock": "Unlocks a lock.",
+ "announce_description": "Let the satellite announce a message.",
+ "media_id": "Media ID",
+ "the_message_to_announce": "The message to announce.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "trigger": "Trigger",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Target position.",
+ "set_position": "Set position",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
+ "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
+ "toggle_tilt": "Toggle tilt",
+ "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.",
+ "aux_heat_description": "New value of auxiliary heater.",
+ "auxiliary_heating": "Auxiliary heating",
+ "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater",
+ "sets_fan_operation_mode": "Sets fan operation mode.",
+ "fan_operation_mode": "Fan operation mode.",
+ "set_fan_mode": "Set fan mode",
+ "sets_target_humidity": "Sets target humidity.",
+ "set_target_humidity": "Set target humidity",
+ "sets_hvac_operation_mode": "Sets HVAC operation mode.",
+ "hvac_operation_mode": "HVAC operation mode.",
+ "set_hvac_mode": "Set HVAC mode",
+ "sets_preset_mode": "Sets preset mode.",
+ "set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
+ "horizontal_swing_operation_mode": "Horizontal swing operation mode.",
+ "set_horizontal_swing_mode": "Set horizontal swing mode",
+ "sets_swing_operation_mode": "Sets swing operation mode.",
+ "swing_operation_mode": "Swing operation mode.",
+ "set_swing_mode": "Set swing mode",
+ "sets_the_temperature_setpoint": "Sets the temperature setpoint.",
+ "the_max_temperature_setpoint": "The max temperature setpoint.",
+ "the_min_temperature_setpoint": "The min temperature setpoint.",
+ "the_temperature_setpoint": "The temperature setpoint.",
+ "set_target_temperature": "Set target temperature",
+ "turns_climate_device_off": "Turns climate device off.",
+ "turns_climate_device_on": "Turns climate device on.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
+ "clear_playlist_description": "Removes all items from the playlist.",
+ "clear_playlist": "Clear playlist",
+ "selects_the_next_track": "Selects the next track.",
+ "pauses": "Pauses.",
+ "starts_playing": "Starts playing.",
+ "toggles_play_pause": "Toggles play/pause.",
+ "selects_the_previous_track": "Selects the previous track.",
+ "seek": "Seek",
+ "stops_playing": "Stops playing.",
+ "starts_playing_specified_media": "Starts playing specified media.",
+ "enqueue": "Enqueue",
+ "repeat_mode_to_set": "Repeat mode to set.",
+ "select_sound_mode_description": "Selects a specific sound mode.",
+ "select_sound_mode": "Select sound mode",
+ "select_source": "Select source",
+ "shuffle_description": "Whether or not shuffle mode is enabled.",
+ "unjoin": "Unjoin",
+ "turns_down_the_volume": "Turns down the volume.",
+ "turn_down_volume": "Turn down volume",
+ "volume_mute_description": "Mutes or unmutes the media player.",
+ "is_volume_muted_description": "Defines whether or not it is muted.",
+ "mute_unmute_volume": "Mute/unmute volume",
+ "sets_the_volume_level": "Sets the volume level.",
+ "set_volume": "Set volume",
+ "turns_up_the_volume": "Turns up the volume.",
+ "turn_up_volume": "Turn up volume",
"restarts_an_add_on": "Restarts an add-on.",
"the_add_on_to_restart": "The add-on to restart.",
"restart_add_on": "Restart add-on",
@@ -3354,40 +3842,6 @@
"restore_partial_description": "Restores from a partial backup.",
"restores_home_assistant": "Restores Home Assistant.",
"restore_from_partial_backup": "Restore from partial backup",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Preset fan mode.",
- "toggles_a_fan_on_off": "Toggles a fan on/off.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Get weather forecast.",
- "type_description": "Forecast type: daily, hourly or twice daily.",
- "forecast_type": "Forecast type",
- "get_forecast": "Get forecast",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Clear skipped update",
- "install_update": "Install update",
- "skip_description": "Marks currently available update as skipped.",
- "skip_update": "Skip update",
- "code_description": "Code used to unlock the lock.",
- "arm_with_custom_bypass": "Arm with custom bypass",
- "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
- "disarms_the_alarm": "Disarms the alarm.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
"selects_the_first_option": "Selects the first option.",
"first": "First",
"selects_the_last_option": "Selects the last option.",
@@ -3395,77 +3849,16 @@
"selects_an_option": "Selects an option.",
"option_to_be_selected": "Option to be selected.",
"selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
"start_date_description": "The date the all-day event should start.",
+ "create_event": "Create event",
"get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Toggles a cover open/closed.",
- "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.",
- "toggle_tilt": "Toggle tilt",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Topic to listen to.",
- "topic": "Topic",
- "export": "Export",
- "publish_description": "Publishes a message to an MQTT topic.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "The payload to publish.",
- "payload": "Payload",
- "payload_template": "Payload template",
- "qos": "QoS",
- "retain": "Retain",
- "topic_to_publish_to": "Topic to publish to.",
- "publish": "Publish",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "closes_a_valve": "Closes a valve.",
+ "opens_a_valve": "Opens a valve.",
+ "set_valve_position_description": "Moves a valve to a specific position.",
+ "stops_the_valve_movement": "Stops the valve movement.",
+ "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Represents a specific device endpoint in deCONZ.",
@@ -3474,83 +3867,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Toggles a switch on/off.",
- "turns_a_switch_off": "Turns a switch off.",
- "turns_a_switch_on": "Turns a switch on.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Send a notification message",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Locks a lock.",
- "opens_a_lock": "Opens a lock.",
- "unlocks_a_lock": "Unlocks a lock.",
- "removes_a_group": "Removes a group.",
- "object_id": "Object ID",
- "creates_updates_a_group": "Creates/Updates a group.",
- "add_entities": "Add entities",
- "icon_description": "Name of the icon for the group.",
- "name_of_the_group": "Name of the group.",
- "remove_entities": "Remove entities",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Select the next option.",
+ "sets_the_options": "Sets the options.",
+ "list_of_options": "List of options.",
+ "set_options": "Set options",
+ "arm_with_custom_bypass": "Arm with custom bypass",
+ "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.",
+ "disarms_the_alarm": "Disarms the alarm.",
+ "trigger_the_alarm_manually": "Trigger the alarm manually.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Toggles a switch on/off.",
+ "turns_a_switch_off": "Turns a switch off.",
+ "turns_a_switch_on": "Turns a switch on."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/vi/vi.json b/packages/core/src/hooks/useLocale/locales/vi/vi.json
index 7c8cc0a8..41d9f9f6 100644
--- a/packages/core/src/hooks/useLocale/locales/vi/vi.json
+++ b/packages/core/src/hooks/useLocale/locales/vi/vi.json
@@ -33,9 +33,9 @@
"config_entry": "Mục cấu hình",
"device": "Device",
"upload_backup": "Tải lên bản sao lưu",
- "turn_on": "Turn on",
- "turn_off": "Turn off",
- "toggle": "Bật/tắt",
+ "on": "Bật",
+ "off": "Tắt",
+ "toggle": "Đảo bật/tắt",
"code": "Mã",
"clear": "Clear",
"arm": "Bảo vệ",
@@ -51,7 +51,7 @@
"area_not_found": "Không tìm thấy khu vực.",
"last_triggered": "Kích hoạt lần cuối",
"run_actions": "Thực hiện hành động",
- "press": "Press",
+ "press": "Nhấn",
"image_not_available": "Không có hình ảnh",
"currently": "Hiện tại",
"on_off": "Bật/Tắt",
@@ -65,12 +65,12 @@
"mode": "Mode",
"preset": "Cài sẵn",
"action_to_target": "{action} được nhắm tới",
- "target": "Target",
+ "target": "Mục tiêu",
"humidity_target": "Mục tiêu độ ẩm",
- "increment": "Increment",
- "decrement": "Decrement",
- "reset": "Reset",
- "position": "Position",
+ "increment": "Tăng",
+ "decrement": "Giảm",
+ "reset": "Đặt lại",
+ "position": "Vị trí",
"tilt_position": "Tilt position",
"open_cover": "Mở màn",
"close_cover": "Đóng màn",
@@ -78,13 +78,13 @@
"close_cover_tilt": "Đóng thanh màn nghiêng",
"stop_cover": "Dừng màn",
"preset_mode": "Chế độ cài sẵn",
- "oscillate": "Oscillate",
- "direction": "Direction",
- "forward": "Forward",
- "reverse": "Reverse",
+ "oscillate": "Xoay",
+ "direction": "Hướng",
+ "forward": "Về phía trước",
+ "reverse": "Về phía sau",
"mean": "Trung bình",
"target_humidity": "Độ ẩm mục tiêu.",
- "state": "Trạng thái",
+ "state": "State",
"name_target_humidity": "{name} độ ẩm mong muốn",
"name_current_humidity": "Độ ẩm hiện tại {name}",
"name_humidifying": "{name} tạo ẩm",
@@ -92,7 +92,7 @@
"name_on": "{name} bật",
"resume_mowing": "Tiếp tục cắt cỏ",
"start_mowing": "Start mowing",
- "pause": "Pause",
+ "pause": "Tạm dừng",
"return_to_dock": "Return to dock",
"brightness": "Độ sáng",
"color_temperature": "Nhiệt độ màu",
@@ -113,7 +113,7 @@
"browse_media": "Duyệt phương tiện",
"play": "Play",
"play_pause": "Play/Pause",
- "stop": "Stop",
+ "stop": "Dừng",
"next_track": "Bài hát tiếp theo",
"previous_track": "Bài hát trước",
"volume_up": "Tăng âm lượng",
@@ -125,7 +125,7 @@
"text_to_speak": "Văn bản sang giọng nói",
"nothing_playing": "Không có gì đang phát",
"dismiss": "Dismiss",
- "activate": "Kích hoạt",
+ "enable": "Kích hoạt",
"run": "Chạy",
"running": "Đang chạy",
"queued_queued": "{queued} đang xếp hàng",
@@ -133,14 +133,14 @@
"cancel": "Cancel",
"cancel_number": "Huỷ Bỏ {number}",
"cancel_all": "Hủy tất cả",
- "idle": "Idle",
+ "idle": "Nhàn rỗi",
"run_script": "Chạy tập lệnh",
- "option": "Option",
+ "option": "Tùy chọn",
"installing": "Đang cài đặt",
"installing_progress": "Đang cài đặt ({progress}%)",
"up_to_date": "Mới nhất",
"empty_value": "(giá trị rỗng)",
- "start": "Start",
+ "start": "Khởi động",
"finish": "Finish",
"resume_cleaning": "Tiếp tục lau chùi",
"start_cleaning": "Bắt đầu lau chùi",
@@ -181,21 +181,19 @@
"twice_daily": "Hai lần mỗi ngày",
"and": "Và",
"continue": "Tiếp tục",
- "previous": "Previous",
+ "previous": "Trước",
"loading": "Đang tải…",
"refresh": "Làm mới",
- "delete": "Delete",
+ "delete": "Xóa",
"delete_all": "Xóa tất cả",
"download": "Download",
"duplicate": "Nhân bản",
- "remove": "Xóa",
- "enable": "Enable",
- "disable": "Disable",
+ "disable": "Vô hiệu hóa",
"hide": "Ẩn",
- "close": "Close",
+ "close": "Đóng",
"leave": "Rời khỏi",
"stay": "Ở lại",
- "next": "Next",
+ "next": "Tiếp theo",
"back": "Trở lại",
"undo": "Hoàn tác",
"move": "Di chuyển",
@@ -222,7 +220,7 @@
"copied_to_clipboard": "Đã chép vào khay nhớ tạm",
"name": "Tên",
"optional": "tùy chọn",
- "default": "Default",
+ "default": "Mặc định",
"select_media_player": "Chọn trình phát đa phương tiện",
"media_browse_not_supported": "Trình phát đa phương tiện không hỗ trợ duyệt phương tiện.",
"pick_media": "Chọn phương tiện",
@@ -245,25 +243,25 @@
"attribute": "Thuộc tính",
"boolean": "Luận lý",
"condition": "Điều kiện",
- "date": "Date",
"date_and_time": "Ngày và giờ",
- "duration": "Thời lượng",
+ "duration": "Duration",
"entity": "Entity",
"floor": "Tầng",
"icon": "Biểu tượng",
"location": "Location",
- "number": "Number",
+ "number": "Số",
"object": "Đối tượng",
"rgb_color": "Màu RGB",
- "select": "Select",
+ "pick": "Chọn",
"template": "Template",
"text": "Text",
"theme": "Theme",
- "time": "Time",
+ "time": "Thời gian",
"manual_entry": "Nhập thủ công",
"learn_more_about_templating": "Tìm hiểu thêm về bản mẫu.",
"show_password": "Hiện mật khẩu",
"hide_password": "Ẩn mật khẩu",
+ "ui_components_selectors_background_yaml_info": "Hình nền được thiết lập thông qua trình soạn thảo yaml.",
"no_logbook_events_found": "Không tìm thấy sự kiện nhật ký nào.",
"triggered_by": "bị kích hoạt bởi",
"triggered_by_automation": "bị kích hoạt bởi tự động hóa",
@@ -350,7 +348,7 @@
"ui_components_subpage_data_table_close_select_mode": "Đóng chế độ chọn",
"conversation_agent": "Nhân viên hội thoại",
"country": "Quốc gia",
- "assistant": "Assistant",
+ "assistant": "Trợ lý",
"preferred_assistant_preferred": "Trợ lý ưa thích ({preferred})",
"last_used_assistant": "Trợ lý được sử dụng lần cuối",
"no_theme": "Không có chủ đề",
@@ -440,26 +438,26 @@
"accent": "Màu phụ",
"disabled": "Bị vô hiệu hóa",
"inactive": "Không hoạt động",
- "red": "Red",
- "pink": "Pink",
- "purple": "Purple",
+ "red": "Đỏ",
+ "pink": "Hồng",
+ "purple": "Tím",
"deep_purple": "Tím đậm",
- "indigo": "Indigo",
- "blue": "Blue",
- "light_blue": "Light blue",
- "cyan": "Cyan",
- "teal": "Teal",
- "green": "Green",
- "light_green": "Light green",
- "lime": "Lime",
- "yellow": "Yellow",
+ "indigo": "Chàm",
+ "blue": "Xanh lam",
+ "light_blue": "Xanh lam nhạt",
+ "cyan": "Lục lam",
+ "teal": "Xanh mòng két",
+ "green": "Xanh lá",
+ "pale_green": "Xanh lá nhạt",
+ "lime": "Xanh chanh",
+ "gold": "Vàng",
"amber": "Hổ phách",
- "orange": "Orange",
+ "orange": "Cam",
"deep_orange": "Cam đậm",
- "brown": "Brown",
- "light_grey": "Light grey",
- "grey": "Grey",
- "dark_grey": "Dark grey",
+ "brown": "Nâu",
+ "light_grey": "Xám nhạt",
+ "grey": "Xám",
+ "dark_grey": "Xám đen",
"blue_grey": "Xanh xám",
"black": "Đen",
"white": "Trắng",
@@ -498,7 +496,6 @@
"change": "Change",
"ui_components_service_picker_service": "Dịch vụ",
"this_field_is_required": "Trường này là bắt buộc",
- "targets": "Mục tiêu",
"action_data": "Dữ liệu hành động",
"integration_documentation": "Tài liệu bộ tích hợp",
"ui_components_service_control_data": "Dữ liệu dịch vụ",
@@ -527,7 +524,6 @@
"say": "Nói",
"set_as_default_options": "Thiết lập làm tùy chọn mặc định",
"tts_faild_to_store_defaults": "Không thể lưu trữ mặc định: {error}",
- "pick": "Chọn",
"play_media": "Play media",
"no_items": "Không có mục nào",
"choose_player": "Chọn bộ phát",
@@ -575,7 +571,7 @@
"delete_item": "Xóa mục",
"edit_item": "Chỉnh sửa mục",
"save_item": "Lưu mục",
- "due_date": "Ngày đáo hạn",
+ "due_date": "Ngày đến hạn",
"item_not_all_required_fields": "Không phải tất cả các trường bắt buộc đều được điền",
"confirm_delete_prompt": "Bạn có muốn xóa mục này?",
"my_calendars": "Lịch của tôi",
@@ -610,7 +606,6 @@
"fri": "T6",
"sat": "T7",
"after": "Sau",
- "on": "Bật",
"end_on": "Kết thúc vào",
"end_after": "Kết thúc sau",
"occurrences": "lần xuất hiện",
@@ -626,7 +621,7 @@
"on_the": "vào",
"or": "Hoặc",
"at": "lúc",
- "last": "Last",
+ "last": "Cuối cùng",
"times": "lần",
"summary": "Summary",
"select_camera": "Chọn máy ảnh",
@@ -641,6 +636,7 @@
"last_updated": "Last updated",
"remaining_time": "Thời gian còn lại",
"install_status": "Trạng thái cài đặt",
+ "ui_components_multi_textfield_add_item": "Thêm {item}",
"safe_mode": "Chế độ an toàn",
"all_yaml_configuration": "Toàn bộ cấu hình YAML",
"domain": "Domain",
@@ -653,7 +649,7 @@
"zone": "Vùng",
"input_booleans": "Nhập nhị phân",
"input_texts": "Nhập văn bản",
- "input_numbers": "Nhập số",
+ "input_number": "Đầu nhập số",
"input_date_times": "Nhập ngày giờ",
"input_selects": "Nhập lựa chọn",
"template_entities": "Thực thể bản mẫu",
@@ -676,8 +672,8 @@
"raspberry_pi_gpio_entities": "Thực thể Raspberry Pi GPIO",
"topic": "Chủ đề",
"action_server": "Máy chủ {action}",
- "restart": "Restart",
- "reload": "Reload",
+ "reboot": "Khởi động lại",
+ "reload": "Tải lại",
"navigate": "Điều hướng",
"server": "Máy chủ",
"logs": "Nhật ký hoạt động",
@@ -741,6 +737,7 @@
"ui_dialogs_more_info_control_update_create_backup": "Tạo bản sao lưu trước khi cập nhật",
"update_instructions": "Hướng dẫn cập nhật",
"current_activity": "Hoạt động hiện tại",
+ "status": "Status 2",
"vacuum_cleaner_commands": "Các lệnh điều khiển máy hút bụi:",
"fan_speed": "Fan speed",
"clean_spot": "Clean spot",
@@ -774,7 +771,7 @@
"default_code": "Mã mặc định",
"editor_default_code_error": "Mã không khớp với định dạng mã",
"entity_id": "Entity ID",
- "unit_of_measurement": "Đơn vị đo lường",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "Đơn vị lượng mưa",
"display_precision": "Độ chính xác hiển thị",
"default_value": "Mặc định ({value})",
@@ -807,7 +804,7 @@
"problem": "Sự cố",
"safe": "An toàn",
"smoke": "Khói",
- "tamper": "Tamper",
+ "tamper": "Bị phá",
"vibration": "Rung động",
"gate": "Cổng",
"shade": "Màn kéo lên",
@@ -857,18 +854,16 @@
"restart_home_assistant": "Khởi động lại Home Assistant?",
"advanced_options": "Tùy chọn nâng cao",
"quick_reload": "Tải lại nhanh",
- "reload_description": "Reloads all the available scripts.",
+ "reload_description": "Reloads timers from the YAML-configuration.",
"reloading_configuration": "Đang tải lại cấu hình",
"failed_to_reload_configuration": "Không thể tải lại cấu hình",
"restart_description": "Làm gián đoạn tất cả các tự động hóa và tập lệnh đang chạy.",
"restart_failed": "Không khởi động lại được Home Assistant",
"stop_home_assistant": "Dừng Home Assistant?",
"reboot_system": "Khởi động lại hệ thống?",
- "reboot": "Khởi động lại",
"rebooting_system": "Đang khởi động lại hệ thống",
"failed_to_reboot_system": "Không thể khởi động lại hệ thống",
"shut_down_system": "Tắt hệ thống?",
- "off": "Tắt",
"shutting_down_system": "Đang tắt hệ thống",
"shutdown_failed": "Không tắt được hệ thống",
"restart_safe_mode_title": "Khởi động lại Home Assistant ở chế độ an toàn",
@@ -886,12 +881,11 @@
"password": "Mật khẩu",
"regex_pattern": "Mẫu biểu thức chính quy",
"used_for_client_side_validation": "Dùng để xác thực phía khách hàng",
- "minimum_value": "Minimum value",
- "maximum_value": "Maximum value",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "Trường nhập liệu",
"slider": "Thanh trượt",
"step_size": "Cỡ bước",
- "options": "Options",
"add_option": "Thêm tùy chọn",
"remove_option": "Xóa tùy chọn",
"input_select_no_options": "Chưa có lựa chọn nào.",
@@ -930,7 +924,7 @@
"ui_dialogs_zha_device_info_confirmations_remove": "Bạn có chắc chắn muốn xóa thiết bị này không?",
"quirk": "Quirk",
"last_seen": "Nhìn thấy lần cuối",
- "power_source": "Nguồn điện",
+ "power_source": "Power source",
"change_device_name": "Đổi tên thiết bị",
"device_debug_info": "Thông tin gỡ lỗi {device}",
"mqtt_device_debug_info_deserialize": "Cố gắng phân tích các thông điệp MQTT dưới dạng JSON",
@@ -976,7 +970,7 @@
"no_it_s_new": "Không. Nó mới.",
"main_answer_existing": "Đúng. Nó đã được sử dụng rồi.",
"main_answer_existing_description": "Thiết bị của tôi đã được kết nối với bộ điều khiển khác.",
- "new_playstore": "Tải nó trên Google Play",
+ "new_playstore": "Tải nó tại Google Play",
"new_appstore": "Tải xuống từ App Store",
"existing_question": "Nó được kết nối với bộ điều khiển nào?",
"google_home": "Google Home",
@@ -1024,7 +1018,7 @@
"log_in": "Đăng nhập",
"notification_drawer_click_to_configure": "Nhấn nút để cấu hình {entity}",
"no_notifications": "Không có thông báo",
- "notifications": "Notifications",
+ "notifications": "Thông báo",
"dismiss_all": "Dismiss all",
"notification_toast_action_failed": "Không thực hiện được hành động {service}.",
"connection_lost_reconnecting": "Kết nối bị mất. Đang kết nối lại…",
@@ -1111,7 +1105,7 @@
"grid_neutrality_gauge_net_consumed_grid": "Mức ròng tiêu thụ từ lưới điện",
"grid_neutrality_gauge_grid_neutrality_not_calculated": "Không thể tính được tính trung lập của lưới",
"energy_distribution_today": "Phân bố năng lượng hôm nay",
- "water": "Nước",
+ "aqua": "Nước",
"low_carbon": "Carbon thấp",
"energy_distribution_go_to_energy_dashboard": "Đi tới bảng điều khiển năng lượng",
"energy_usage": "Mức sử dụng năng lượng",
@@ -1203,7 +1197,7 @@
"ui_panel_lovelace_editor_edit_view_type_helper_sections": "Bạn không thể thay đổi màn hình điều khiển của mình để sử dụng loại màn hình 'mục' vì tính năng di chuyển chưa được hỗ trợ. Bắt đầu lại từ đầu với màn hình mới nếu bạn muốn thử nghiệm màn hình điều khiển 'mục'.",
"card_configuration": "Cấu hình thẻ",
"type_card_configuration": "Cấu hình Thẻ {type}",
- "edit_card_pick_card": "Bạn muốn thêm thẻ nào?",
+ "add_to_dashboard": "Thêm vào bảng điều khiển",
"toggle_editor": "Đổi trình soạn thảo",
"you_have_unsaved_changes": "Bạn có thay đổi chưa được lưu",
"edit_card_confirm_cancel": "Bạn có chắc muốn hủy bỏ không?",
@@ -1231,7 +1225,6 @@
"edit_badge_pick_badge": "Bạn muốn thêm huy hiệu nào?",
"add_badge": "Thêm huy hiệu",
"suggest_card_header": "Chúng tôi đã tạo một đề xuất cho bạn",
- "add_to_dashboard": "Thêm vào bảng điều khiển",
"move_card_strategy_error_title": "Không thể di chuyển thẻ",
"card_moved_successfully": "Thẻ đã được di chuyển thành công",
"error_while_moving_card": "Lỗi khi di chuyển thẻ",
@@ -1308,7 +1301,7 @@
"web_link": "Liên kết web",
"buttons": "Nút",
"cast": "Cast",
- "button": "Nút bấm",
+ "button": "Button",
"entity_filter": "Bộ lọc thực thể",
"secondary_information": "Thông tin thứ cấp",
"gauge": "Đồng hồ chỉ thị",
@@ -1398,6 +1391,11 @@
"sensor": "Cảm biến",
"show_more_detail": "Hiện thêm chi tiết",
"hide_completed_items": "Ẩn các mục đã hoàn thành",
+ "ui_panel_lovelace_editor_card_todo_list_display_order": "Thứ tự hiển thị",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc": "Theo thứ tự chữ cái (A-Z)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_desc": "Theo thứ tự chữ cái (Z-A)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc": "Ngày đến hạn (Sớm nhất trước)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc": "Ngày đến hạn (Trễ nhất trước)",
"thermostat": "Bộ điều nhiệt",
"thermostat_show_current_as_primary": "Hiển thị nhiệt độ hiện tại làm thông tin chính",
"tile": "Ô xếp",
@@ -1406,6 +1404,7 @@
"vertical": "Dọc",
"hide_state": "Ẩn trạng thái",
"ui_panel_lovelace_editor_card_tile_state_content_options_last_updated": "Lần cập nhật cuối",
+ "ui_panel_lovelace_editor_card_tile_state_content_options_state": "Trạng thái",
"vertical_stack": "Xếp hàng dọc",
"weather_forecast": "Dự báo thời tiết",
"weather_to_show": "Thời tiết để hiển thị",
@@ -1465,14 +1464,14 @@
"customize_modes": "Tùy chỉnh chế độ",
"select_options": "Lựa chọn phương án",
"customize_options": "Tùy chỉnh tùy chọn",
- "input_number": "Đầu vào số",
+ "numeric_input": "Đầu vào số",
"water_heater_operation_modes": "Chế độ hoạt động của máy nước nóng",
"operation_modes": "Chế độ hoạt động",
"customize_operation_modes": "Tùy chỉnh chế độ hoạt động",
"update_actions": "Cập nhật hành động",
"ask": "Hỏi",
"backup_is_not_supported": "Sao lưu không được hỗ trợ.",
- "ui_panel_lovelace_editor_features_types_number_label": "Số",
+ "ui_panel_lovelace_editor_features_types_number_style_list_buttons": "Nút bấm",
"hide_entities_without_area": "Ẩn các thực thể không có khu vực",
"hide_energy": "Ẩn năng lượng",
"ui_panel_lovelace_editor_strategy_original_states_hidden_areas": "Khu vực ẩn",
@@ -1491,23 +1490,7 @@
"heading_badge_editor": "Trình soạn thảo huy hiệu đầu đề",
"type_element_editor": "Trình soạn thảo phần tử {type}",
"ui_panel_lovelace_editor_sub_element_editor_types_heading_entity": "Trình soạn thảo thực thể",
- "ui_panel_lovelace_editor_color_picker_colors_blue": "Xanh lam",
- "ui_panel_lovelace_editor_color_picker_colors_brown": "Nâu",
- "ui_panel_lovelace_editor_color_picker_colors_cyan": "Lục lam",
- "ui_panel_lovelace_editor_color_picker_colors_dark_grey": "Xám đen",
- "ui_panel_lovelace_editor_color_picker_colors_green": "Xanh lá",
- "ui_panel_lovelace_editor_color_picker_colors_grey": "Xám",
- "ui_panel_lovelace_editor_color_picker_colors_indigo": "Chàm",
- "ui_panel_lovelace_editor_color_picker_colors_light_blue": "Xanh lam nhạt",
- "ui_panel_lovelace_editor_color_picker_colors_light_green": "Xanh lá nhạt",
- "ui_panel_lovelace_editor_color_picker_colors_light_grey": "Xám nhạt",
- "ui_panel_lovelace_editor_color_picker_colors_lime": "Xanh chanh",
- "ui_panel_lovelace_editor_color_picker_colors_orange": "Cam",
- "ui_panel_lovelace_editor_color_picker_colors_pink": "Hồng",
- "ui_panel_lovelace_editor_color_picker_colors_purple": "Tím",
- "ui_panel_lovelace_editor_color_picker_colors_red": "Đỏ",
"ui_panel_lovelace_editor_color_picker_colors_teal": "Mòng két",
- "ui_panel_lovelace_editor_color_picker_colors_yellow": "Vàng",
"ui_panel_lovelace_editor_edit_section_title_title": "Chỉnh sửa tên",
"ui_panel_lovelace_editor_edit_section_title_title_new": "Thêm tên",
"warning_attribute_not_found": "Thuộc tính {attribute} không có trong: {entity}",
@@ -1519,140 +1502,118 @@
"now": "Bây giờ",
"compare_data": "So sánh dữ liệu",
"reload_ui": "Tải lại giao diện",
- "input_datetime": "Đầu vào ngày giờ",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "Hẹn giờ",
- "local_calendar": "Local Calendar",
- "intent": "Intent",
- "device_tracker": "Bộ theo dõi thiết bị",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "Đầu nhập luận lý",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "Ứng dụng di động",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "Diagnostics",
+ "filesize": "File Size",
+ "group": "Nhóm",
+ "binary_sensor": "Cảm biến nhị phân",
+ "ffmpeg": "FFmpeg",
+ "deconz": "deCONZ",
+ "google_calendar": "Google Calendar",
+ "input_select": "Đầu nhập lựa chọn",
+ "device_automation": "Device Automation",
+ "input_button": "Đầu nhập nút nhấn",
+ "profiler": "Profiler",
+ "fitbit": "Fitbit",
+ "logger": "Logger",
"fan": "Quạt",
- "weather": "Thời tiết",
- "camera": "Máy ảnh",
+ "scene": "Scene",
"schedule": "Schedule",
+ "home_assistant_core_integration": "Home Assistant Core Integration",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
"mqtt": "MQTT",
- "deconz": "deCONZ",
- "go_rtc": "go2rtc",
+ "repairs": "Repairs",
+ "weather": "Thời tiết",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
"android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "Hội thoại",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "Đầu vào ký tự",
- "valve": "Valve",
- "fitbit": "Fitbit",
- "home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "Điều hòa",
- "binary_sensor": "Cảm biến nhị phân",
- "broadlink": "Broadlink",
+ "assist_satellite": "Vệ tinh Assist",
+ "system_log": "System Log",
+ "cover": "Rèm, cửa cuốn",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "Van",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "Rèm, cửa cuốn",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "Local Calendar",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "Còi báo động",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "Lawn mower",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "auth": "Auth",
- "event": "Event",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "Bộ theo dõi thiết bị",
+ "remote": "Điều khiển từ xa",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "Công tắc",
+ "persistent_notification": "Persistent Notification",
+ "vacuum": "Máy hút bụi",
+ "reolink": "Reolink",
+ "camera": "Máy ảnh",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "Persistent Notification",
- "trace": "Trace",
- "remote": "Điều khiển từ xa",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "Counter",
- "filesize": "File Size",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi Power Supply Checker",
+ "conversation": "Hội thoại",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "Điều hòa",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "Đầu vào luận lý",
- "lawn_mower": "Lawn mower",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "Event",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "Bảng điều khiển an ninh",
- "input_select": "Chọn đầu vào",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "Ứng dụng di động",
+ "timer": "Hẹn giờ",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "Công tắc",
+ "input_datetime": "Đầu nhập ngày giờ",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "Bộ đếm",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "Bluetooth",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "Application Credentials",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "Nhóm",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "Diagnostics",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "Đầu nhập văn bản",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "Application Credentials",
- "siren": "Còi báo động",
- "bluetooth": "Bluetooth",
- "logger": "Logger",
- "input_button": "Input button",
- "vacuum": "Máy hút bụi",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi Power Supply Checker",
- "assist_satellite": "Assist satellite",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "Activity calories",
- "awakenings_count": "Awakenings count",
- "battery_level": "Battery level",
- "bmi": "BMI",
- "body_fat": "Body fat",
- "calories": "Calories",
- "calories_bmr": "Calories BMR",
- "calories_in": "Calories in",
- "floors": "Floors",
- "minutes_after_wakeup": "Minutes after wakeup",
- "minutes_fairly_active": "Minutes fairly active",
- "minutes_lightly_active": "Minutes lightly active",
- "minutes_sedentary": "Minutes sedentary",
- "minutes_very_active": "Minutes very active",
- "resting_heart_rate": "Resting heart rate",
- "sleep_efficiency": "Sleep efficiency",
- "sleep_minutes_asleep": "Sleep minutes asleep",
- "sleep_minutes_awake": "Sleep minutes awake",
- "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
- "sleep_start_time": "Sleep start time",
- "sleep_time_in_bed": "Sleep time in bed",
- "steps": "Steps",
"battery_low": "Battery low",
"cloud_connection": "Cloud connection",
"humidity_warning": "Humidity warning",
- "closed": "Đóng",
"overheated": "Overheated",
"temperature_warning": "Temperature warning",
"update_available": "Có bản cập nhật",
@@ -1677,6 +1638,7 @@
"alarm_source": "Alarm source",
"auto_off_at": "Auto off at",
"available_firmware_version": "Available firmware version",
+ "battery_level": "Mức pin",
"this_month_s_consumption": "This month's consumption",
"today_s_consumption": "Today's consumption",
"total_consumption": "Total consumption",
@@ -1702,30 +1664,16 @@
"motion_sensor": "Motion sensor",
"smooth_transitions": "Smooth transitions",
"tamper_detection": "Tamper detection",
- "next_dawn": "Bình minh tới",
- "next_dusk": "Hoàng hôn tới",
- "next_midnight": "Nửa đêm tới",
- "next_noon": "Chính ngọ tới",
- "next_rising": "Lần mọc tới",
- "next_setting": "Lần lặn tới",
- "solar_azimuth": "Phương vị mặt trời",
- "solar_elevation": "Độ cao mặt trời",
- "solar_rising": "Solar rising",
- "day_of_week": "Day of week",
- "noise": "Noise",
- "overload": "Overload",
- "working_location": "Working location",
- "created": "Created",
- "size": "Size",
- "size_in_bytes": "Size in bytes",
- "compressor_energy_consumption": "Compressor energy consumption",
- "compressor_estimated_power_consumption": "Compressor estimated power consumption",
- "compressor_frequency": "Compressor frequency",
- "cool_energy_consumption": "Cool energy consumption",
- "energy_consumption": "Energy consumption",
- "heat_energy_consumption": "Heat energy consumption",
- "inside_temperature": "Inside temperature",
- "outside_temperature": "Outside temperature",
+ "calibration": "Hiệu chuẩn",
+ "auto_lock_paused": "Tự động khóa bị tạm dừng",
+ "timeout": "Timeout",
+ "unclosed_alarm": "Báo động chưa đóng",
+ "unlocked_alarm": "Báo động mở khóa",
+ "bluetooth_signal": "Tín hiệu Bluetooth",
+ "light_level": "Mức độ đèn",
+ "wi_fi_signal": "Wi-Fi signal",
+ "momentary": "Nhất thời",
+ "pull_retract": "Kéo/Rút",
"process_process": "Process {process}",
"disk_free_mount_point": "Disk free {mount_point}",
"disk_use_mount_point": "Disk use {mount_point}",
@@ -1747,39 +1695,81 @@
"swap_usage": "Swap usage",
"network_throughput_in_interface": "Network throughput in {interface}",
"network_throughput_out_interface": "Network throughput out {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "Assist in progress",
- "preferred": "Preferred",
- "finished_speaking_detection": "Finished speaking detection",
- "aggressive": "Aggressive",
- "relaxed": "Relaxed",
- "os_agent_version": "Phiên bản OS Agent",
- "apparmor_version": "Phiên bản Apparmor",
- "cpu_percent": "Phần trăm CPU",
- "disk_free": "Ổ đĩa trống",
- "disk_total": "Tổng ổ đĩa",
- "disk_used": "Ổ đĩa đã dùng",
- "memory_percent": "Phần trăm bộ nhớ",
- "version": "Phiên bản",
- "newest_version": "Phiên bản mới nhất",
- "synchronize_devices": "Synchronize devices",
- "estimated_distance": "Estimated distance",
- "vendor": "Vendor",
- "quiet": "Quiet",
- "wake_word": "Wake word",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "Auto gain",
- "mic_volume": "Mic volume",
- "noise_suppression_level": "Noise suppression level",
- "mute": "Mute",
- "animal": "Animal",
- "detected": "Đã phát hiện",
- "animal_lens": "Animal lens 1",
- "face": "Face",
- "face_lens": "Face lens 1",
- "motion_lens": "Motion lens 1",
+ "day_of_week": "Day of week",
+ "noise": "Noise",
+ "overload": "Overload",
+ "activity_calories": "Activity calories",
+ "awakenings_count": "Awakenings count",
+ "bmi": "BMI",
+ "body_fat": "Body fat",
+ "calories": "Calories",
+ "calories_bmr": "Calories BMR",
+ "calories_in": "Calories in",
+ "floors": "Floors",
+ "minutes_after_wakeup": "Minutes after wakeup",
+ "minutes_fairly_active": "Minutes fairly active",
+ "minutes_lightly_active": "Minutes lightly active",
+ "minutes_sedentary": "Minutes sedentary",
+ "minutes_very_active": "Minutes very active",
+ "resting_heart_rate": "Resting heart rate",
+ "sleep_efficiency": "Sleep efficiency",
+ "sleep_minutes_asleep": "Sleep minutes asleep",
+ "sleep_minutes_awake": "Sleep minutes awake",
+ "sleep_minutes_to_fall_asleep_name": "Sleep minutes to fall asleep",
+ "sleep_start_time": "Sleep start time",
+ "sleep_time_in_bed": "Sleep time in bed",
+ "steps": "Steps",
+ "synchronize_devices": "Synchronize devices",
+ "ding": "Ding",
+ "last_recording": "Last recording",
+ "intercom_unlock": "Intercom unlock",
+ "doorbell_volume": "Doorbell volume",
+ "mic_volume": "Mic volume",
+ "voice_volume": "Voice volume",
+ "last_activity": "Last activity",
+ "last_ding": "Last ding",
+ "last_motion": "Last motion",
+ "wi_fi_signal_category": "Wi-Fi signal category",
+ "wi_fi_signal_strength": "Wi-Fi signal strength",
+ "in_home_chime": "In-home chime",
+ "compressor_energy_consumption": "Compressor energy consumption",
+ "compressor_estimated_power_consumption": "Compressor estimated power consumption",
+ "compressor_frequency": "Compressor frequency",
+ "cool_energy_consumption": "Cool energy consumption",
+ "energy_consumption": "Energy consumption",
+ "heat_energy_consumption": "Heat energy consumption",
+ "inside_temperature": "Inside temperature",
+ "outside_temperature": "Outside temperature",
+ "device_admin": "Device admin",
+ "kiosk_mode": "Kiosk mode",
+ "plugged_in": "Đã cắm phích cắm",
+ "load_start_url": "Load start URL",
+ "restart_browser": "Restart browser",
+ "restart_device": "Restart device",
+ "send_to_background": "Send to background",
+ "bring_to_foreground": "Bring to foreground",
+ "screenshot": "Screenshot",
+ "overlay_message": "Overlay message",
+ "screen_brightness": "Screen brightness",
+ "screen_off_timer": "Screen off timer",
+ "screensaver_brightness": "Screensaver brightness",
+ "screensaver_timer": "Screensaver timer",
+ "current_page": "Current page",
+ "foreground_app": "Foreground app",
+ "internal_storage_free_space": "Internal storage free space",
+ "internal_storage_total_space": "Internal storage total space",
+ "free_memory": "Free memory",
+ "total_memory": "Total memory",
+ "screen_orientation": "Screen orientation",
+ "kiosk_lock": "Kiosk lock",
+ "maintenance_mode": "Maintenance mode",
+ "screensaver": "Screensaver",
+ "animal": "Animal",
+ "detected": "Đã phát hiện",
+ "animal_lens": "Animal lens 1",
+ "face": "Face",
+ "face_lens": "Face lens 1",
+ "motion_lens": "Motion lens 1",
"package": "Package",
"package_lens": "Package lens 1",
"person_lens": "Person lens 1",
@@ -1897,7 +1887,6 @@
"ptz_pan_position": "PTZ pan position",
"ptz_tilt_position": "PTZ tilt position",
"sd_hdd_index_storage": "SD {hdd_index} storage",
- "wi_fi_signal": "Tín hiệu Wi-Fi",
"auto_focus": "Auto focus",
"auto_tracking": "Auto tracking",
"doorbell_button_sound": "Doorbell button sound",
@@ -1914,6 +1903,49 @@
"record": "Record",
"record_audio": "Record audio",
"siren_on_event": "Còi báo động khi có sự kiện",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "Created",
+ "size": "Size",
+ "size_in_bytes": "Size in bytes",
+ "assist_in_progress": "Assist đang tiến hành",
+ "quiet": "Im lặng",
+ "preferred": "Ưa thích",
+ "finished_speaking_detection": "Phát hiện xong lời nói",
+ "aggressive": "Hung dữ",
+ "relaxed": "Thư giãn",
+ "wake_word": "Từ đánh thức",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "Phiên bản OS Agent",
+ "apparmor_version": "Phiên bản Apparmor",
+ "cpu_percent": "Phần trăm CPU",
+ "disk_free": "Ổ đĩa trống",
+ "disk_total": "Tổng ổ đĩa",
+ "disk_used": "Ổ đĩa đã dùng",
+ "memory_percent": "Phần trăm bộ nhớ",
+ "version": "Phiên bản",
+ "newest_version": "Phiên bản mới nhất",
+ "auto_gain": "Auto gain",
+ "noise_suppression_level": "Noise suppression level",
+ "mute": "Mute",
+ "bytes_received": "Bytes received",
+ "server_country": "Server country",
+ "server_id": "Server ID",
+ "server_name": "Server name",
+ "ping": "Ping",
+ "upload": "Upload",
+ "bytes_sent": "Bytes sent",
+ "working_location": "Working location",
+ "next_dawn": "Bình minh tới",
+ "next_dusk": "Hoàng hôn tới",
+ "next_midnight": "Nửa đêm tới",
+ "next_noon": "Chính ngọ tới",
+ "next_rising": "Lần mọc tới",
+ "next_setting": "Lần lặn tới",
+ "solar_azimuth": "Phương vị mặt trời",
+ "solar_elevation": "Độ cao mặt trời",
+ "solar_rising": "Solar rising",
"heavy": "Heavy",
"mild": "Mild",
"button_down": "Button down",
@@ -1933,71 +1965,251 @@
"closing": "Đang đóng",
"failure": "Failure",
"opened": "Opened",
- "ding": "Ding",
- "last_recording": "Last recording",
- "intercom_unlock": "Intercom unlock",
- "doorbell_volume": "Doorbell volume",
- "voice_volume": "Voice volume",
- "last_activity": "Last activity",
- "last_ding": "Last ding",
- "last_motion": "Last motion",
- "wi_fi_signal_category": "Wi-Fi signal category",
- "wi_fi_signal_strength": "Wi-Fi signal strength",
- "in_home_chime": "In-home chime",
- "calibration": "Hiệu chuẩn",
- "auto_lock_paused": "Tự động khóa bị tạm dừng",
- "timeout": "Timeout",
- "unclosed_alarm": "Báo động chưa đóng",
- "unlocked_alarm": "Báo động mở khóa",
- "bluetooth_signal": "Tín hiệu Bluetooth",
- "light_level": "Mức độ đèn",
- "momentary": "Nhất thời",
- "pull_retract": "Kéo/Rút",
- "bytes_received": "Bytes received",
- "server_country": "Server country",
- "server_id": "Server ID",
- "server_name": "Server name",
- "ping": "Ping",
- "upload": "Upload",
- "bytes_sent": "Bytes sent",
- "device_admin": "Device admin",
- "kiosk_mode": "Kiosk mode",
- "plugged_in": "Đã cắm phích cắm",
- "load_start_url": "Load start URL",
- "restart_browser": "Restart browser",
- "restart_device": "Restart device",
- "send_to_background": "Send to background",
- "bring_to_foreground": "Bring to foreground",
- "screenshot": "Screenshot",
- "overlay_message": "Overlay message",
- "screen_brightness": "Screen brightness",
- "screen_off_timer": "Screen off timer",
- "screensaver_brightness": "Screensaver brightness",
- "screensaver_timer": "Screensaver timer",
- "current_page": "Current page",
- "foreground_app": "Foreground app",
- "internal_storage_free_space": "Internal storage free space",
- "internal_storage_total_space": "Internal storage total space",
- "free_memory": "Free memory",
- "total_memory": "Total memory",
- "screen_orientation": "Screen orientation",
- "kiosk_lock": "Kiosk lock",
- "maintenance_mode": "Maintenance mode",
- "screensaver": "Screensaver",
- "last_scanned_by_device_id_name": "Last scanned by device ID",
- "tag_id": "Tag ID",
- "managed_via_ui": "Managed via UI",
- "pattern": "Khuôn mẫu",
- "minute": "Phút",
- "second": "Giây",
- "timestamp": "Timestamp",
- "stopped": "Đã dừng",
+ "estimated_distance": "Estimated distance",
+ "vendor": "Vendor",
+ "accelerometer": "Accelerometer",
+ "binary_input": "Binary input",
+ "calibrated": "Calibrated",
+ "consumer_connected": "Consumer connected",
+ "external_sensor": "External sensor",
+ "frost_lock": "Frost lock",
+ "opened_by_hand": "Opened by hand",
+ "heat_required": "Heat required",
+ "ias_zone": "IAS zone",
+ "linkage_alarm_state": "Linkage alarm state",
+ "mounting_mode_active": "Mounting mode active",
+ "open_window_detection_status": "Open window detection status",
+ "pre_heat_status": "Pre-heat status",
+ "replace_filter": "Replace filter",
+ "valve_alarm": "Valve alarm",
+ "open_window_detection": "Open window detection",
+ "feed": "Feed",
+ "frost_lock_reset": "Frost lock reset",
+ "presence_status_reset": "Presence status reset",
+ "reset_summation_delivered": "Reset summation delivered",
+ "self_test": "Self-test",
+ "keen_vent": "Keen vent",
+ "fan_group": "Nhóm quạt",
+ "light_group": "Nhóm đèn",
+ "door_lock": "Door lock",
+ "ambient_sensor_correction": "Ambient sensor correction",
+ "approach_distance": "Approach distance",
+ "automatic_switch_shutoff_timer": "Automatic switch shutoff timer",
+ "away_preset_temperature": "Nhiệt độ cài sẵn đi vắng",
+ "boost_amount": "Boost amount",
+ "button_delay": "Button delay",
+ "local_default_dimming_level": "Local default dimming level",
+ "remote_default_dimming_level": "Remote default dimming level",
+ "default_move_rate": "Default move rate",
+ "detection_delay": "Detection delay",
+ "maximum_range": "Maximum range",
+ "minimum_range": "Minimum range",
+ "detection_interval": "Detection interval",
+ "local_dimming_down_speed": "Local dimming down speed",
+ "remote_dimming_down_speed": "Remote dimming down speed",
+ "local_dimming_up_speed": "Local dimming up speed",
+ "remote_dimming_up_speed": "Remote dimming up speed",
+ "display_activity_timeout": "Display activity timeout",
+ "display_brightness": "Display brightness",
+ "display_inactive_brightness": "Display inactive brightness",
+ "double_tap_down_level": "Double tap down level",
+ "double_tap_up_level": "Double tap up level",
+ "exercise_start_time": "Exercise start time",
+ "external_sensor_correction": "External sensor correction",
+ "external_temperature_sensor": "External temperature sensor",
+ "fading_time": "Fading time",
+ "fallback_timeout": "Fallback timeout",
+ "filter_life_time": "Filter life time",
+ "fixed_load_demand": "Fixed load demand",
+ "frost_protection_temperature": "Frost protection temperature",
+ "irrigation_cycles": "Irrigation cycles",
+ "irrigation_interval": "Irrigation interval",
+ "irrigation_target": "Irrigation target",
+ "led_color_when_off_name": "Default all LED off color",
+ "led_color_when_on_name": "Default all LED on color",
+ "led_intensity_when_off_name": "Default all LED off intensity",
+ "led_intensity_when_on_name": "Default all LED on intensity",
+ "load_level_indicator_timeout": "Load level indicator timeout",
+ "load_room_mean": "Load room mean",
+ "local_temperature_offset": "Mức chênh nhiệt độ cục bộ",
+ "max_heat_setpoint_limit": "Max heat setpoint limit",
+ "maximum_load_dimming_level": "Maximum load dimming level",
+ "min_heat_setpoint_limit": "Min heat setpoint limit",
+ "minimum_load_dimming_level": "Minimum load dimming level",
+ "off_led_intensity": "Off LED intensity",
+ "off_transition_time": "Thời gian chuyển tiếp khi tắt",
+ "on_led_intensity": "On LED intensity",
+ "on_level": "On level",
+ "on_off_transition_time": "Thời gian chuyển tiếp khi bật/tắt",
+ "on_transition_time": "On transition time",
+ "open_window_detection_guard_period_name": "Open window detection guard period",
+ "open_window_detection_threshold": "Open window detection threshold",
+ "open_window_event_duration": "Open window event duration",
+ "portion_weight": "Portion weight",
+ "presence_detection_timeout": "Presence detection timeout",
+ "presence_sensitivity": "Presence sensitivity",
+ "fade_time": "Fade time",
+ "quick_start_time": "Quick start time",
+ "ramp_rate_off_to_on_local_name": "Local ramp rate off to on",
+ "ramp_rate_off_to_on_remote_name": "Remote ramp rate off to on",
+ "ramp_rate_on_to_off_local_name": "Local ramp rate on to off",
+ "ramp_rate_on_to_off_remote_name": "Remote ramp rate on to off",
+ "regulation_setpoint_offset": "Regulation setpoint offset",
+ "regulator_set_point": "Regulator set point",
+ "serving_to_dispense": "Serving to dispense",
+ "siren_time": "Siren time",
+ "start_up_color_temperature": "Start-up color temperature",
+ "start_up_current_level": "Start-up current level",
+ "start_up_default_dimming_level": "Start-up default dimming level",
+ "timer_duration": "Timer duration",
+ "timer_time_left": "Timer time left",
+ "transmit_power": "Transmit power",
+ "valve_closing_degree": "Valve closing degree",
+ "irrigation_time": "Irrigation time 2",
+ "valve_opening_degree": "Valve opening degree",
+ "adaptation_run_command": "Adaptation run command",
+ "backlight_mode": "Backlight mode",
+ "click_mode": "Click mode",
+ "control_type": "Control type",
+ "decoupled_mode": "Decoupled mode",
+ "default_siren_level": "Mức còi báo động mặc định",
+ "default_siren_tone": "Âm báo động mặc định",
+ "default_strobe": "Default strobe",
+ "default_strobe_level": "Default strobe level",
+ "detection_distance": "Detection distance",
+ "detection_sensitivity": "Detection Sensitivity",
+ "exercise_day_of_week_name": "Exercise day of the week",
+ "external_temperature_sensor_type": "External temperature sensor type",
+ "external_trigger_mode": "External trigger mode",
+ "heat_transfer_medium": "Heat transfer medium",
+ "heating_emitter_type": "Heating emitter type",
+ "heating_fuel": "Heating fuel",
+ "non_neutral_output": "Non neutral output",
+ "irrigation_mode": "Irrigation mode",
+ "keypad_lockout": "Keypad lockout",
+ "dimming_mode": "Dimming mode",
+ "led_scaling_mode": "Led scaling mode",
+ "local_temperature_source": "Local temperature source",
+ "monitoring_mode": "Monitoring mode",
+ "off_led_color": "Off LED color",
+ "on_led_color": "On LED color",
+ "operation_mode": "Operation mode",
+ "output_mode": "Output mode",
+ "power_on_state": "Power on state",
+ "regulator_period": "Regulator period",
+ "sensor_mode": "Sensor mode",
+ "setpoint_response_time": "Setpoint response time",
+ "smart_fan_led_display_levels_name": "Smart fan led display levels",
+ "start_up_behavior": "Start-up behavior",
+ "switch_mode": "Switch mode",
+ "switch_type": "Switch type",
+ "thermostat_application": "Thermostat application",
+ "thermostat_mode": "Thermostat mode",
+ "valve_orientation": "Valve orientation",
+ "viewing_direction": "Viewing direction",
+ "weather_delay": "Weather delay",
+ "curtain_mode": "Curtain mode",
+ "ac_frequency": "AC frequency",
+ "adaptation_run_status": "Adaptation run status",
+ "in_progress": "Đang tiến hành",
+ "run_successful": "Run successful",
+ "valve_characteristic_lost": "Valve characteristic lost",
+ "analog_input": "Analog input",
+ "control_status": "Control status",
+ "device_run_time": "Device run time",
+ "device_temperature": "Device temperature",
+ "target_distance": "Target distance",
+ "filter_run_time": "Filter run time",
+ "formaldehyde_concentration": "Formaldehyde concentration",
+ "hooks_state": "Hooks state",
+ "hvac_action": "HVAC action",
+ "instantaneous_demand": "Instantaneous demand",
+ "internal_temperature": "Internal temperature",
+ "irrigation_duration": "Irrigation duration 1",
+ "last_irrigation_duration": "Last irrigation duration",
+ "irrigation_end_time": "Irrigation end time",
+ "irrigation_start_time": "Irrigation start time",
+ "last_feeding_size": "Last feeding size",
+ "last_feeding_source": "Last feeding source",
+ "last_illumination_state": "Last illumination state",
+ "last_valve_open_duration": "Last valve open duration",
+ "leaf_wetness": "Leaf wetness",
+ "load_estimate": "Load estimate",
+ "floor_temperature": "Floor temperature",
+ "lqi": "LQI",
+ "motion_distance": "Motion distance",
+ "motor_stepcount": "Motor stepcount",
+ "open_window_detected": "Open window detected",
+ "overheat_protection": "Overheat protection",
+ "pi_heating_demand": "Pi heating demand",
+ "portions_dispensed_today": "Portions dispensed today",
+ "pre_heat_time": "Pre-heat time",
+ "rssi": "RSSI",
+ "self_test_result": "Self test result",
+ "setpoint_change_source": "Setpoint change source",
+ "smoke_density": "Smoke density",
+ "software_error": "Software error",
+ "good": "Good",
+ "critical_low_battery": "Critical low battery",
+ "encoder_jammed": "Encoder jammed",
+ "invalid_clock_information": "Invalid clock information",
+ "invalid_internal_communication": "Invalid internal communication",
+ "low_battery": "Low battery",
+ "motor_error": "Motor error",
+ "non_volatile_memory_error": "Non-volatile memory error",
+ "radio_communication_error": "Radio communication error",
+ "side_pcb_sensor_error": "Side PCB sensor error",
+ "top_pcb_sensor_error": "Top PCB sensor error",
+ "unknown_hw_error": "Unknown HW error",
+ "soil_moisture": "Độ ẩm của đất",
+ "summation_delivered": "Summation delivered",
+ "summation_received": "Summation received",
+ "tier_summation_delivered": "Tier 6 summation delivered",
+ "timer_state": "Timer state",
+ "time_left": "Time left",
+ "weight_dispensed_today": "Weight dispensed today",
+ "window_covering_type": "Window covering type",
+ "adaptation_run_enabled": "Adaptation run enabled",
+ "aux_switch_scenes": "Cảnh chuyển đổi Aux",
+ "binding_off_to_on_sync_level_name": "Binding off to on sync level",
+ "buzzer_manual_alarm": "Buzzer manual alarm",
+ "buzzer_manual_mute": "Buzzer manual mute",
+ "detach_relay": "Detach relay",
+ "disable_clear_notifications_double_tap_name": "Disable config 2x tap to clear notifications",
+ "disable_led": "Disable LED",
+ "double_tap_down_enabled": "Double tap down enabled",
+ "double_tap_up_enabled": "Double tap up enabled",
+ "double_up_full_name": "Double tap on - full",
+ "enable_siren": "Enable siren",
+ "external_window_sensor": "External window sensor",
+ "distance_switch": "Distance switch",
+ "firmware_progress_led": "Firmware progress LED",
+ "heartbeat_indicator": "Heartbeat indicator",
+ "heat_available": "Heat available",
+ "hooks_locked": "Hooks locked",
+ "invert_switch": "Invert switch",
+ "inverted": "Inverted",
+ "led_indicator": "LED indicator",
+ "linkage_alarm": "Linkage alarm",
+ "local_protection": "Local protection",
+ "mounting_mode": "Mounting mode",
+ "only_led_mode": "Only 1 LED mode",
+ "open_window": "Open window",
+ "power_outage_memory": "Power outage memory",
+ "prioritize_external_temperature_sensor": "Prioritize external temperature sensor",
+ "relay_click_in_on_off_mode_name": "Disable relay click in on off mode",
+ "smart_bulb_mode": "Smart bulb mode",
+ "smart_fan_mode": "Smart fan mode",
+ "led_trigger_indicator": "LED trigger indicator",
+ "turbo_mode": "Turbo mode",
+ "use_internal_window_detection": "Use internal window detection",
+ "use_load_balancing": "Use load balancing",
+ "valve_detection": "Valve detection",
+ "window_detection": "Window detection",
+ "invert_window_detection": "Invert window detection",
+ "available_tones": "Âm có sẵn",
"device_trackers": "Trình theo dõi thiết bị",
- "gps_accuracy": "GPS accuracy",
- "paused": "Đã tạm dừng",
- "finishes_at": "Kết thúc tại",
- "remaining": "Còn lại",
- "restore": "Khôi phục",
+ "gps_accuracy": "Độ chính xác của GPS",
"last_reset": "Đặt lại lần cuối",
"possible_states": "Các trạng thái có thể",
"state_class": "Lớp trạng thái",
@@ -2009,7 +2221,7 @@
"atmospheric_pressure": "Áp suất khí quyển",
"blood_glucose_concentration": "Blood glucose concentration",
"carbon_dioxide": "Khí CO₂",
- "conductivity": "Conductivity",
+ "conductivity": "Độ dẫn điện",
"data_rate": "Tốc độ dữ liệu",
"data_size": "Kích thước dữ liệu",
"distance": "Khoảng cách",
@@ -2029,77 +2241,12 @@
"sound_pressure": "Áp suất âm thanh",
"speed": "Speed",
"sulphur_dioxide": "Khí SO₂",
+ "timestamp": "Dấu thời gian",
"vocs": "Hợp chất hữu cơ dễ bay hơi",
- "volume_flow_rate": "Volume flow rate",
+ "volume_flow_rate": "Lưu lượng thể tích",
"stored_volume": "Khối lượng lưu trữ",
"weight": "Trọng lượng",
- "cool": "Mát",
- "fan_only": "Chỉ quạt",
- "heat_cool": "Ấm/mát",
- "aux_heat": "Nhiệt phụ trợ",
- "current_humidity": "Độ ẩm hiện tại",
- "current_temperature": "Current Temperature",
- "diffuse": "Khuếch tán",
- "middle": "Giữa",
- "current_action": "Hành động hiện tại",
- "cooling": "Làm mát",
- "defrosting": "Defrosting",
- "drying": "Làm khô",
- "heating": "Làm ấm",
- "preheating": "Làm ấm trước",
- "max_target_humidity": "Độ ẩm mục tiêu tối đa",
- "max_target_temperature": "Nhiệt độ mục tiêu tối đa",
- "min_target_humidity": "Độ ẩm mục tiêu tối thiểu",
- "min_target_temperature": "Nhiệt độ mục tiêu tối thiểu",
- "boost": "Tăng cường",
- "comfort": "Thoải mái",
- "eco": "Tiết kiệm",
- "sleep": "Ngủ",
- "horizontal_swing_mode": "Horizontal swing mode",
- "both": "Cả hai",
- "horizontal": "Ngang",
- "upper_target_temperature": "Upper target temperature",
- "lower_target_temperature": "Lower target temperature",
- "target_temperature_step": "Bước nhiệt độ mục tiêu",
- "step": "Bước",
- "not_charging": "Không đang sạc",
- "disconnected": "Đã ngắt kết nối",
- "connected": "Đã kết nối",
- "hot": "Nóng",
- "no_light": "Không có đèn",
- "light_detected": "Đã phát hiện ánh sáng",
- "locked": "Đã khóa",
- "unlocked": "Đã mở khóa",
- "not_moving": "Không đang di chuyển",
- "unplugged": "Đã rút phích cắm",
- "not_running": "Không đang chạy",
- "unsafe": "Không an toàn",
- "tampering_detected": "Đã phát hiện bị phá",
- "automatic": "Tự động",
- "box": "Hộp",
- "above_horizon": "Trên đường chân trời",
- "below_horizon": "Dưới đường chân trời",
- "buffering": "Đang đệm",
- "playing": "Đang chơi",
- "app_id": "ID ứng dụng",
- "local_accessible_entity_picture": "Ảnh thực thể có thể truy cập cục bộ",
- "group_members": "Thành viên nhóm",
- "muted": "Muted",
- "album_artist": "Nghệ sĩ album",
- "content_id": "Content ID",
- "content_type": "Content type",
- "position_updated": "Đã cập nhật vị trí",
- "series": "Loạt",
- "all": "Tất cả",
- "one": "Một",
- "available_sound_modes": "Chế độ âm thanh có sẵn",
- "available_sources": "Nguồn có sẵn",
- "receiver": "Máy thu",
- "speaker": "Loa",
- "tv": "TV",
- "bluetooth_le": "Bluetooth LE",
- "gps": "GPS",
- "router": "Bộ định tuyến",
+ "managed_via_ui": "Quản lý qua giao diện người dùng",
"color_mode": "Color Mode",
"brightness_only": "Chỉ độ sáng",
"hs": "HS",
@@ -2115,21 +2262,40 @@
"minimum_color_temperature_kelvin": "Nhiệt độ màu tối thiểu (Kelvin)",
"minimum_color_temperature_mireds": "Nhiệt độ màu tối thiểu (mired)",
"available_color_modes": "Chế độ màu có sẵn",
- "available_tones": "Âm có sẵn",
"docked": "Đã về bệ sạc",
"mowing": "Đang cất cỏ",
+ "paused": "Đã tạm dừng",
"returning": "Returning",
- "oscillating": "Oscillating",
- "speed_step": "Bước tốc độ",
- "available_preset_modes": "Các chế độ cài sẵn có sẵn",
- "clear_night": "Trời trong, đêm",
- "cloudy": "Nhiều mây",
- "exceptional": "Đặc biệt",
- "fog": "Sương mù",
- "hail": "Mưa đá",
- "lightning": "Dông",
- "lightning_rainy": "Mưa, dông",
- "partly_cloudy": "Mây rải rác",
+ "pattern": "Khuôn mẫu",
+ "running_automations": "Đang chạy tự động hóa",
+ "max_running_scripts": "Số tập lệnh chạy tối đa",
+ "run_mode": "Chế độ chạy",
+ "parallel": "Song song",
+ "queued": "Xếp hàng",
+ "single": "Đơn",
+ "auto_update": "Cập nhật tự động",
+ "installed_version": "Phiên bản đã cài đặt",
+ "release_summary": "Tóm tắt phát hành",
+ "release_url": "URL phát hành",
+ "skipped_version": "Phiên bản bị bỏ qua",
+ "firmware": "Phần lõi",
+ "speed_step": "Bước tốc độ",
+ "available_preset_modes": "Các chế độ cài sẵn có sẵn",
+ "minute": "Phút",
+ "second": "Giây",
+ "next_event": "Sự kiện tiếp theo",
+ "step": "Bước",
+ "bluetooth_le": "Bluetooth LE",
+ "gps": "GPS",
+ "router": "Bộ định tuyến",
+ "clear_night": "Trời trong, đêm",
+ "cloudy": "Nhiều mây",
+ "exceptional": "Đặc biệt",
+ "fog": "Sương mù",
+ "hail": "Mưa đá",
+ "lightning": "Dông",
+ "lightning_rainy": "Mưa, dông",
+ "partly_cloudy": "Mây rải rác",
"pouring": "Mưa rào",
"rainy": "Mưa",
"snowy": "Có tuyết",
@@ -2144,21 +2310,9 @@
"uv_index": "Chỉ số UV",
"wind_bearing": "Hướng gió",
"wind_gust_speed": "Tốc độ gió giật",
- "auto_update": "Cập nhật tự động",
- "in_progress": "Đang tiến hành",
- "installed_version": "Phiên bản đã cài đặt",
- "release_summary": "Tóm tắt phát hành",
- "release_url": "URL phát hành",
- "skipped_version": "Phiên bản bị bỏ qua",
- "firmware": "Phần lõi",
- "armed_custom_bypass": "Bảo vệ bỏ qua tùy chỉnh",
- "disarming": "Đang tắt bảo vệ",
- "triggered": "Bị kích hoạt",
- "changed_by": "Thay đổi bởi",
- "code_for_arming": "Mã để bật bảo vệ",
- "not_required": "Không bắt buộc",
- "code_format": "Code format",
- "identify": "Identify",
+ "identify": "Nhận dạng",
+ "cleaning": "Đang làm sạch",
+ "returning_to_dock": "Đang trở lại bệ sạc",
"recording": "Đang ghi âm",
"streaming": "Đang truyền phát",
"access_token": "Mã truy cập",
@@ -2166,96 +2320,134 @@
"stream_type": "Loại luồng",
"hls": "HLS",
"webrtc": "WebRTC",
- "model": "Model",
- "end_time": "End time",
- "start_time": "Start time",
- "next_event": "Sự kiện tiếp theo",
- "garage": "Ga-ra",
- "event_type": "Kiểu sự kiện",
- "doorbell": "Chuông cửa",
- "running_automations": "Đang chạy tự động hóa",
- "id": "ID",
- "max_running_automations": "Tự động hóa chạy tối đa",
- "run_mode": "Chế độ chạy",
- "parallel": "Song song",
- "queued": "Xếp hàng",
- "single": "Đơn",
- "cleaning": "Đang làm sạch",
- "returning_to_dock": "Đang trở lại bệ sạc",
- "listening": "Listening",
- "processing": "Processing",
- "responding": "Responding",
- "max_running_scripts": "Số tập lệnh chạy tối đa",
+ "model": "Mô hình",
+ "last_scanned_by_device_id_name": "Last scanned by device ID",
+ "tag_id": "Tag ID",
+ "automatic": "Tự động",
+ "box": "Hộp",
"jammed": "Bị kẹt",
+ "locked": "Đã khóa",
"locking": "Đang khóa",
+ "unlocked": "Đã mở khóa",
"unlocking": "Đang mở khóa",
+ "changed_by": "Thay đổi bởi",
+ "code_format": "Định dạng mã",
"members": "Thành viên",
- "known_hosts": "Known hosts",
- "google_cast_configuration": "Google Cast configuration",
- "confirm_description": "Bạn có muốn thiết lập {name} không?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "Account is already configured",
- "abort_already_in_progress": "Configuration flow is already in progress",
- "failed_to_connect": "Kết nối thất bại",
- "invalid_access_token": "Invalid access token",
- "invalid_authentication": "Xác thực không hợp lệ",
- "received_invalid_token_data": "Received invalid token data.",
- "abort_oauth_failed": "Error while obtaining access token.",
- "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
- "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
- "re_authentication_was_successful": "Re-authentication was successful",
- "unexpected_error": "Lỗi không mong đợi",
- "successfully_authenticated": "Successfully authenticated",
- "link_fitbit": "Link Fitbit",
- "pick_authentication_method": "Pick authentication method",
- "authentication_expired_for_name": "Authentication expired for {name}",
+ "listening": "Đang nghe",
+ "processing": "Đang xử lý",
+ "responding": "Đang phản hồi",
+ "id": "ID",
+ "max_running_automations": "Tự động hóa chạy tối đa",
+ "cool": "Mát",
+ "fan_only": "Chỉ quạt",
+ "heat_cool": "Ấm/mát",
+ "aux_heat": "Nhiệt phụ trợ",
+ "current_humidity": "Độ ẩm hiện tại",
+ "current_temperature": "Current Temperature",
+ "diffuse": "Khuếch tán",
+ "middle": "Giữa",
+ "current_action": "Hành động hiện tại",
+ "cooling": "Làm mát",
+ "defrosting": "Defrosting",
+ "drying": "Làm khô",
+ "heating": "Làm ấm",
+ "preheating": "Làm ấm trước",
+ "max_target_humidity": "Độ ẩm mục tiêu tối đa",
+ "max_target_temperature": "Nhiệt độ mục tiêu tối đa",
+ "min_target_humidity": "Độ ẩm mục tiêu tối thiểu",
+ "min_target_temperature": "Nhiệt độ mục tiêu tối thiểu",
+ "boost": "Tăng cường",
+ "comfort": "Thoải mái",
+ "eco": "Tiết kiệm",
+ "sleep": "Ngủ",
+ "horizontal_swing_mode": "Horizontal swing mode",
+ "both": "Cả hai",
+ "horizontal": "Ngang",
+ "upper_target_temperature": "Upper target temperature",
+ "lower_target_temperature": "Lower target temperature",
+ "target_temperature_step": "Bước nhiệt độ mục tiêu",
+ "stopped": "Đã dừng",
+ "garage": "Ga-ra",
+ "not_charging": "Không đang sạc",
+ "disconnected": "Đã ngắt kết nối",
+ "connected": "Đã kết nối",
+ "hot": "Nóng",
+ "no_light": "Không có ánh sáng",
+ "light_detected": "Đã phát hiện ánh sáng",
+ "not_moving": "Không đang di chuyển",
+ "unplugged": "Đã rút phích cắm",
+ "not_running": "Không đang chạy",
+ "unsafe": "Không an toàn",
+ "tampering_detected": "Đã phát hiện bị phá",
+ "buffering": "Đang đệm",
+ "playing": "Đang chơi",
+ "app_id": "ID ứng dụng",
+ "local_accessible_entity_picture": "Ảnh thực thể có thể truy cập cục bộ",
+ "group_members": "Thành viên nhóm",
+ "muted": "Muted",
+ "album_artist": "Nghệ sĩ album",
+ "content_id": "Content ID",
+ "content_type": "Content type",
+ "position_updated": "Đã cập nhật vị trí",
+ "series": "Loạt",
+ "all": "Tất cả",
+ "one": "Một",
+ "available_sound_modes": "Chế độ âm thanh có sẵn",
+ "available_sources": "Nguồn có sẵn",
+ "receiver": "Máy thu",
+ "speaker": "Loa",
+ "tv": "TV",
+ "end_time": "End time",
+ "start_time": "Start time",
+ "event_type": "Kiểu sự kiện",
+ "doorbell": "Chuông cửa",
+ "above_horizon": "Trên đường chân trời",
+ "below_horizon": "Dưới đường chân trời",
+ "armed_custom_bypass": "Bảo vệ bỏ qua tùy chỉnh",
+ "disarming": "Đang tắt bảo vệ",
+ "triggered": "Bị kích hoạt",
+ "code_for_arming": "Mã để bật bảo vệ",
+ "not_required": "Không bắt buộc",
+ "finishes_at": "Kết thúc tại",
+ "remaining": "Còn lại",
+ "restore": "Khôi phục",
"device_is_already_configured": "Thiết bị đã được cấu hình",
+ "failed_to_connect": "Failed to connect",
"abort_no_devices_found": "Không tìm thấy thiết bị nào trên mạng",
+ "re_authentication_was_successful": "Re-authentication was successful",
"re_configuration_was_successful": "Re-configuration was successful",
- "connection_error_error": "Connection error: {error}",
+ "connection_error_error": "Lỗi kết nối: {error}",
"unable_to_authenticate_error": "Unable to authenticate: {error}",
"camera_stream_authentication_failed": "Camera stream authentication failed",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "Enable camera live view",
- "username": "Tên đăng nhập",
+ "username": "Username",
"camera_auth_confirm_description": "Input device camera account credentials.",
"set_camera_account_credentials": "Set camera account credentials",
"authenticate": "Authenticate",
+ "authentication_expired_for_name": "Authentication expired for {name}",
"host": "Host",
"reconfigure_description": "Update your configuration for device {mac}",
"reconfigure_tplink_entry": "Reconfigure TPLink entry",
"abort_single_instance_allowed": "Already configured. Only a single configuration possible.",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "Bạn có muốn bắt đầu thiết lập không?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
+ "unsupported_switchbot_type": "Loại switchbot không được hỗ trợ.",
+ "unexpected_error": "Lỗi không mong đợi",
+ "authentication_failed_error_detail": "Xác thực không thành công: {error_detail}",
+ "error_encryption_key_invalid": "ID khóa hoặc khóa mã hóa không hợp lệ",
+ "name_address": "{name} ({address})",
+ "confirm_description": "Do you want to set up {name}?",
+ "switchbot_account_recommended": "SwitchBot account (recommended)",
+ "enter_encryption_key_manually": "Enter encryption key manually",
+ "encryption_key": "Khóa mã hóa",
+ "key_id": "Key ID",
+ "password_description": "Mật khẩu để bảo vệ bản sao lưu.",
+ "mac_address": "Địa chỉ MAC",
"service_is_already_configured": "Service is already configured",
- "invalid_ics_file": "Invalid .ics file",
- "calendar_name": "Calendar Name",
- "starting_data": "Starting Data",
+ "abort_already_in_progress": "Configuration flow is already in progress",
"abort_invalid_host": "Tên máy chủ hoặc địa chỉ IP không hợp lệ",
"device_not_supported": "Device not supported",
+ "invalid_authentication": "Invalid authentication",
"name_model_at_host": "{name} ({model} tại {host})",
"authenticate_to_the_device": "Xác thực với thiết bị",
"finish_title": "Chọn tên cho thiết bị",
@@ -2263,68 +2455,27 @@
"yes_do_it": "Ừ làm đi.",
"unlock_the_device_optional": "Unlock the device (optional)",
"connect_to_the_device": "Connect to the device",
- "abort_missing_credentials": "The integration requires application credentials.",
- "timeout_establishing_connection": "Timeout establishing connection",
- "link_google_account": "Link Google Account",
- "path_is_not_allowed": "Path is not allowed",
- "path_is_not_valid": "Path is not valid",
- "path_to_file": "Path to file",
- "api_key": "API key",
- "configure_daikin_ac": "Cấu hình Điều hòa Daikin",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "Bộ điều hợp",
- "multiple_adapters_description": "Chọn bộ điều hợp Bluetooth để thiết lập",
- "arm_away_action": "Arm away action",
- "arm_custom_bypass_action": "Arm custom bypass action",
- "arm_home_action": "Arm home action",
- "arm_night_action": "Arm night action",
- "arm_vacation_action": "Arm vacation action",
- "code_arm_required": "Code arm required",
- "disarm_action": "Disarm action",
- "trigger_action": "Trigger action",
- "value_template": "Value template",
- "template_alarm_control_panel": "Template alarm control panel",
- "device_class": "Lớp thiết bị",
- "state_template": "Bản mẫu trạng thái",
- "template_binary_sensor": "Bản mẫu cảm biến nhị phân",
- "actions_on_press": "Actions on press",
- "template_button": "Template button",
- "verify_ssl_certificate": "Verify SSL certificate",
- "template_image": "Template image",
- "actions_on_set_value": "Actions on set value",
- "step_value": "Step value",
- "template_number": "Template number",
- "available_options": "Available options",
- "actions_on_select": "Actions on select",
- "template_select": "Template select",
- "template_sensor": "Bản mẫu cảm biến",
- "actions_on_turn_off": "Actions on turn off",
- "actions_on_turn_on": "Actions on turn on",
- "template_switch": "Template switch",
- "menu_options_alarm_control_panel": "Template an alarm control panel",
- "template_a_binary_sensor": "Tạo bản mẫu một cảm biến nhị phân",
- "template_a_button": "Template a button",
- "template_an_image": "Template an image",
- "template_a_number": "Template a number",
- "template_a_select": "Template a select",
- "template_a_sensor": "Tạo bản mẫu một cảm biến",
- "template_a_switch": "Template a switch",
- "template_helper": "Biến trợ giúp bản mẫu",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "Account is already configured",
+ "invalid_access_token": "Invalid access token",
+ "received_invalid_token_data": "Received invalid token data.",
+ "abort_oauth_failed": "Error while obtaining access token.",
+ "timeout_resolving_oauth_token": "Timeout resolving OAuth token.",
+ "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.",
+ "successfully_authenticated": "Successfully authenticated",
+ "link_fitbit": "Link Fitbit",
+ "pick_authentication_method": "Pick authentication method",
+ "two_factor_code": "Mã hai nhân tố",
+ "two_factor_authentication": "Xác thực hai nhân tố",
+ "reconfigure_ring_integration": "Reconfigure Ring Integration",
+ "sign_in_with_ring_account": "Đăng nhập bằng tài khoản Ring",
+ "abort_alternative_integration": "Device is better supported by another integration",
+ "abort_incomplete_config": "Configuration is missing a required variable",
+ "manual_description": "URL to a device description XML file",
+ "manual_title": "Manual DLNA DMR device connection",
+ "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "broadcast_address": "Broadcast address",
+ "broadcast_port": "Broadcast port",
"abort_addon_info_failed": "Failed get info for the {addon} add-on.",
"abort_addon_install_failed": "Failed to install the {addon} add-on.",
"abort_addon_start_failed": "Failed to start the {addon} add-on.",
@@ -2350,78 +2501,255 @@
"starting_add_on": "Starting add-on",
"menu_options_addon": "Use the official {addon} add-on.",
"menu_options_broker": "Manually enter the MQTT broker connection details",
- "bridge_is_already_configured": "Cầu đã được cấu hình",
- "no_deconz_bridges_discovered": "Không phát hiện cầu deCONZ",
- "abort_no_hardware_available": "No radio hardware connected to deCONZ",
- "abort_updated_instance": "Đã cập nhật phiên bản deCONZ với địa chỉ máy chủ mới",
- "error_linking_not_possible": "Couldn't link with the gateway",
- "error_no_key": "Không thể lấy khóa API",
- "link_with_deconz": "Liên kết với deCONZ",
- "select_discovered_deconz_gateway": "Chọn cổng deCONZ được phát hiện",
- "pin_code": "PIN code",
- "discovered_android_tv": "Discovered Android TV",
- "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.",
- "abort_mqtt_missing_api": "Missing API port in MQTT properties.",
- "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.",
- "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.",
- "missing_mqtt_payload": "Missing MQTT Payload.",
- "action_received": "Action received",
- "discovered_esphome_node": "Đã phát hiện nút ESPHome",
- "encryption_key": "Encryption key",
- "no_port_for_endpoint": "Không có cổng cho điểm cuối",
- "abort_no_services": "Không tìm thấy dịch vụ nào ở điểm cuối",
- "discovered_wyoming_service": "Discovered Wyoming service",
- "abort_alternative_integration": "Device is better supported by another integration",
- "abort_incomplete_config": "Configuration is missing a required variable",
- "manual_description": "URL to a device description XML file",
- "manual_title": "Manual DLNA DMR device connection",
- "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices",
+ "api_key": "API key",
+ "configure_daikin_ac": "Cấu hình Điều hòa Daikin",
+ "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
+ "unknown_details_error_detail": "Không xác định. Chi tiết: {error_detail}",
+ "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "verify_ssl_certificate": "Xác minh chứng chỉ SSL",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "bluetooth_confirm_description": "Bạn có muốn thiết lập {name} không?",
+ "adapter": "Bộ điều hợp",
+ "multiple_adapters_description": "Chọn bộ điều hợp Bluetooth để thiết lập",
"api_error_occurred": "API error occurred",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "Enable HTTPS",
- "broadcast_address": "Broadcast address",
- "broadcast_port": "Broadcast port",
- "mac_address": "MAC address",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "IPv6 is not supported.",
- "error_custom_port_not_supported": "Gen1 device does not support custom port.",
- "two_factor_code": "Mã hai nhân tố",
- "two_factor_authentication": "Xác thực hai nhân tố",
- "reconfigure_ring_integration": "Reconfigure Ring Integration",
- "sign_in_with_ring_account": "Đăng nhập bằng tài khoản Ring",
+ "timeout_establishing_connection": "Timeout establishing connection",
+ "link_google_account": "Link Google Account",
+ "path_is_not_allowed": "Path is not allowed",
+ "path_is_not_valid": "Path is not valid",
+ "path_to_file": "Path to file",
+ "pin_code": "PIN code",
+ "discovered_android_tv": "Discovered Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "Mọi thực thể",
"hide_members": "Ẩn thành viên",
- "create_group": "Create Group",
+ "create_group": "Tạo nhóm",
+ "device_class": "Device Class",
"ignore_non_numeric": "Bỏ qua không phải số",
"data_round_digits": "Làm tròn giá trị thành số thập phân",
"type": "Type",
"binary_sensor_group": "Nhóm cảm biến nhị phân",
- "button_group": "Button group",
+ "button_group": "Nhóm nút",
"cover_group": "Nhóm rèm, cửa cuốn",
"event_group": "Nhóm sự kiện",
- "fan_group": "Nhóm quạt",
- "light_group": "Nhóm đèn",
"lock_group": "Nhóm khóa",
"media_player_group": "Nhóm phát đa phương tiện",
- "notify_group": "Notify group",
+ "notify_group": "Thông báo nhóm",
"sensor_group": "Nhóm cảm biến",
"switch_group": "Nhóm công tắc",
- "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}",
- "unsupported_switchbot_type": "Loại switchbot không được hỗ trợ.",
- "authentication_failed_error_detail": "Xác thực không thành công: {error_detail}",
- "error_encryption_key_invalid": "ID khóa hoặc khóa mã hóa không hợp lệ",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot account (recommended)",
- "enter_encryption_key_manually": "Enter encryption key manually",
- "key_id": "Key ID",
- "password_description": "Mật khẩu để bảo vệ bản sao lưu.",
- "device_address": "Địa chỉ thiết bị",
- "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}",
- "unknown_details_error_detail": "Không xác định. Chi tiết: {error_detail}",
- "uses_an_ssl_certificate": "Uses an SSL certificate",
+ "known_hosts": "Known hosts",
+ "google_cast_configuration": "Google Cast configuration",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "Thiếu địa chỉ MAC trong thuộc tính MDNS.",
+ "abort_mqtt_missing_api": "Thiếu cổng API trong thuộc tính MQTT.",
+ "abort_mqtt_missing_ip": "Thiếu địa chỉ IP trong thuộc tính MQTT.",
+ "abort_mqtt_missing_mac": "Thiếu địa chỉ MAC trong thuộc tính MQTT.",
+ "missing_mqtt_payload": "Thiếu tải trọng MQTT.",
+ "action_received": "Hành động đã nhận",
+ "discovered_esphome_node": "Đã phát hiện nút ESPHome",
+ "bridge_is_already_configured": "Cầu đã được cấu hình",
+ "no_deconz_bridges_discovered": "Không phát hiện cầu deCONZ",
+ "abort_no_hardware_available": "No radio hardware connected to deCONZ",
+ "abort_updated_instance": "Đã cập nhật phiên bản deCONZ với địa chỉ máy chủ mới",
+ "error_linking_not_possible": "Couldn't link with the gateway",
+ "error_no_key": "Không thể lấy khóa API",
+ "link_with_deconz": "Liên kết với deCONZ",
+ "select_discovered_deconz_gateway": "Chọn cổng deCONZ được phát hiện",
+ "abort_missing_credentials": "The integration requires application credentials.",
+ "no_port_for_endpoint": "Không có cổng cho điểm cuối",
+ "abort_no_services": "Không tìm thấy dịch vụ nào ở điểm cuối",
+ "discovered_wyoming_service": "Discovered Wyoming service",
+ "ipv_is_not_supported": "IPv6 is not supported.",
+ "error_custom_port_not_supported": "Gen1 device does not support custom port.",
+ "arm_away_action": "Hành động khi bảo vệ đi vắng",
+ "arm_custom_bypass_action": "Hành động bảo vệ bỏ qua tùy chỉnh",
+ "arm_home_action": "Hành động bảo vệ ở nhà",
+ "arm_night_action": "Hành động bảo vệ ban đêm",
+ "arm_vacation_action": "Hành động bảo vệ đi nghỉ",
+ "code_arm_required": "Cần mã bảo vệ",
+ "disarm_action": "Hành động tắt bảo vệ",
+ "trigger_action": "Hành động kích hoạt",
+ "value_template": "Bản mẫu giá trị",
+ "template_alarm_control_panel": "Bản mẫu bảng điều khiển an ninh",
+ "state_template": "Bản mẫu trạng thái",
+ "template_binary_sensor": "Bản mẫu cảm biến nhị phân",
+ "actions_on_press": "Hành động khi nhấn",
+ "template_button": "Bản mẫu nút",
+ "template_image": "Bản mẫu hình ảnh",
+ "actions_on_set_value": "Hành động khi thiết lập giá trị",
+ "step_value": "Giá trị bước",
+ "template_number": "Bản mẫu số",
+ "available_options": "Các tùy chọn có sẵn",
+ "actions_on_select": "Hành động khi chọn",
+ "template_select": "Bản mẫu chọn",
+ "template_sensor": "Bản mẫu cảm biến",
+ "actions_on_turn_off": "Hành động khi tắt",
+ "actions_on_turn_on": "Hành động khi bật",
+ "template_switch": "Bản mẫu công tắc",
+ "menu_options_alarm_control_panel": "Tạo bản mẫu bảng điều khiển an ninh",
+ "template_a_binary_sensor": "Tạo bản mẫu cảm biến nhị phân",
+ "template_a_button": "Tạo bản mẫu nút",
+ "template_an_image": "Tạo bản mẫu hình ảnh",
+ "template_a_number": "Tạo bản mẫu số",
+ "template_a_select": "Tạo bản mẫu chọn",
+ "template_a_sensor": "Tạo bản mẫu cảm biến",
+ "template_a_switch": "Tạo bản mẫu công tắc",
+ "template_helper": "Bản mẫu biến trợ giúp",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "This device is not a zha device",
+ "abort_usb_probe_failed": "Failed to probe the usb device",
+ "invalid_backup_json": "Invalid backup JSON",
+ "choose_an_automatic_backup": "Choose an automatic backup",
+ "restore_automatic_backup": "Restore Automatic Backup",
+ "choose_formation_strategy_description": "Choose the network settings for your radio.",
+ "restore_an_automatic_backup": "Restore an automatic backup",
+ "create_a_network": "Create a network",
+ "keep_radio_network_settings": "Keep radio network settings",
+ "upload_a_manual_backup": "Upload a Manual Backup",
+ "network_formation": "Network Formation",
+ "serial_device_path": "Serial device path",
+ "select_a_serial_port": "Select a Serial Port",
+ "radio_type": "Radio Type",
+ "manual_pick_radio_type_description": "Pick your Zigbee radio type",
+ "port_speed": "Port speed",
+ "data_flow_control": "Data flow control",
+ "manual_port_config_description": "Enter the serial port settings",
+ "serial_port_settings": "Serial Port Settings",
+ "data_overwrite_coordinator_ieee": "Permanently replace the radio IEEE address",
+ "overwrite_radio_ieee_address": "Overwrite Radio IEEE Address",
+ "upload_a_file": "Upload a file",
+ "radio_is_not_recommended": "Radio is not recommended",
+ "invalid_ics_file": "Invalid .ics file",
+ "calendar_name": "Calendar Name",
+ "starting_data": "Starting Data",
+ "zha_alarm_options_alarm_arm_requires_code": "Code required for arming actions",
+ "zha_alarm_options_alarm_master_code": "Master code for the alarm control panel(s)",
+ "alarm_control_panel_options": "Alarm Control Panel Options",
+ "zha_options_consider_unavailable_battery": "Consider battery powered devices unavailable after (seconds)",
+ "zha_options_consider_unavailable_mains": "Consider mains powered devices unavailable after (seconds)",
+ "zha_options_default_light_transition": "Default light transition time (seconds)",
+ "zha_options_group_members_assume_state": "Các thành viên nhóm đảm nhận trạng thái của nhóm",
+ "zha_options_light_transitioning_flag": "Enable enhanced brightness slider during light transition",
+ "global_options": "Global Options",
+ "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
+ "retry_count": "Số lần thử lại",
+ "data_process": "Processes to add as sensor(s)",
+ "invalid_url": "Invalid URL",
+ "data_browse_unfiltered": "Show incompatible media when browsing",
+ "event_listener_callback_url": "Event listener callback URL",
+ "data_listen_port": "Cổng lắng nghe sự kiện (ngẫu nhiên nếu không được đặt)",
+ "poll_for_device_availability": "Poll for device availability",
+ "init_title": "DLNA Digital Media Renderer configuration",
+ "broker_options": "Tùy chọn nhà môi giới",
+ "enable_birth_message": "Bật thông báo khai sinh",
+ "birth_message_payload": "Phụ tải tin nhắn khai sinh",
+ "birth_message_qos": "QoS tin nhắn khai sinh",
+ "birth_message_retain": "Giữ lại tin nhắn khai sinh",
+ "birth_message_topic": "Chủ đề tin nhắn khai sinh",
+ "enable_discovery": "Bật khám phá",
+ "discovery_prefix": "Tiền tố khám phá",
+ "enable_will_message": "Bật thông báo di chúc",
+ "will_message_payload": "Phụ tải tin nhắn di chúc",
+ "will_message_qos": "QoS tin nhắn di chúc",
+ "will_message_retain": "Giữ lại tin nhắn di chúc",
+ "will_message_topic": "Chủ đề tin nhắn di chúc",
+ "data_description_discovery": "Option to enable MQTT automatic discovery.",
+ "mqtt_options": "Tùy chọn MQTT",
+ "passive_scanning": "Quét thụ động",
+ "protocol": "Protocol",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "Language code",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "data_app_delete": "Check to delete this application",
+ "application_icon": "Application icon",
+ "application_id": "Application ID",
+ "application_name": "Application name",
+ "configure_application_id_app_id": "Configure application ID {app_id}",
+ "configure_android_apps": "Configure Android apps",
+ "configure_applications_list": "Configure applications list",
"ignore_cec": "Ignore CEC",
"allowed_uuids": "Allowed UUIDs",
"advanced_google_cast_configuration": "Advanced Google Cast configuration",
+ "allow_deconz_clip_sensors": "Cho phép cảm biến CLIP deCONZ",
+ "allow_deconz_light_groups": "Cho phép nhóm đèn deCONZ",
+ "data_allow_new_devices": "Allow automatic addition of new devices",
+ "deconz_devices_description": "Định cấu hình khả năng hiển thị của các loại thiết bị deCONZ",
+ "deconz_options": "Tùy chọn deCONZ",
+ "select_test_server": "Chọn máy chủ thử nghiệm",
+ "data_calendar_access": "Home Assistant access to Google Calendar",
+ "bluetooth_scanner_mode": "Bluetooth scanner mode",
"device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
"not_supported": "Not Supported",
"localtuya_configuration": "LocalTuya Configuration",
@@ -2438,7 +2766,6 @@
"data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
"data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
"data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
"configure_tuya_device": "Configure Tuya device",
"configure_device_description": "Fill in the device details{for_device}.",
"device_id": "Device ID",
@@ -2510,93 +2837,13 @@
"enable_heuristic_action_optional": "Enable heuristic action (optional)",
"data_dps_default_value": "Default value when un-initialised (optional)",
"minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant access to Google Calendar",
- "data_process": "Processes to add as sensor(s)",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "Quét thụ động",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Tùy chọn nhà môi giới",
- "enable_birth_message": "Bật thông báo khai sinh",
- "birth_message_payload": "Phụ tải tin nhắn khai sinh",
- "birth_message_qos": "QoS tin nhắn khai sinh",
- "birth_message_retain": "Giữ lại tin nhắn khai sinh",
- "birth_message_topic": "Chủ đề tin nhắn khai sinh",
- "enable_discovery": "Bật khám phá",
- "discovery_prefix": "Tiền tố khám phá",
- "enable_will_message": "Bật thông báo di chúc",
- "will_message_payload": "Phụ tải tin nhắn di chúc",
- "will_message_qos": "QoS tin nhắn di chúc",
- "will_message_retain": "Giữ lại tin nhắn di chúc",
- "will_message_topic": "Chủ đề tin nhắn di chúc",
- "data_description_discovery": "Option to enable MQTT automatic discovery.",
- "mqtt_options": "Tùy chọn MQTT",
"data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove",
"data_new_uuid": "Enter a new allowed UUID",
- "allow_deconz_clip_sensors": "Cho phép cảm biến CLIP deCONZ",
- "allow_deconz_light_groups": "Cho phép nhóm đèn deCONZ",
- "data_allow_new_devices": "Allow automatic addition of new devices",
- "deconz_devices_description": "Định cấu hình khả năng hiển thị của các loại thiết bị deCONZ",
- "deconz_options": "Tùy chọn deCONZ",
- "data_app_delete": "Check to delete this application",
- "application_icon": "Application icon",
- "application_id": "Application ID",
- "application_name": "Application name",
- "configure_application_id_app_id": "Configure application ID {app_id}",
- "configure_android_apps": "Configure Android apps",
- "configure_applications_list": "Configure applications list",
- "invalid_url": "Invalid URL",
- "data_browse_unfiltered": "Show incompatible media when browsing",
- "event_listener_callback_url": "Event listener callback URL",
- "data_listen_port": "Cổng lắng nghe sự kiện (ngẫu nhiên nếu không được đặt)",
- "poll_for_device_availability": "Poll for device availability",
- "init_title": "DLNA Digital Media Renderer configuration",
- "protocol": "Protocol",
- "language_code": "Language code",
- "bluetooth_scanner_mode": "Bluetooth scanner mode",
- "force_nightlatch_operation_mode": "Force Nightlatch operation mode",
- "retry_count": "Số lần thử lại",
- "select_test_server": "Chọn máy chủ thử nghiệm",
- "toggle_entity_name": "Bật/tắt {entity_name}",
- "disarm_entity_name": "Tắt {entity_name}",
- "turn_on_entity_name": "Bật {entity_name}",
- "entity_name_is_off": "{entity_name} đang tắt",
- "entity_name_is_on": "{entity_name} đang bật",
- "trigger_type_changed_states": "{entity_name} bật hoặc tắt",
- "entity_name_turned_off": "{entity_name} đã tắt",
- "entity_name_turned_on": "{entity_name} bật",
+ "reconfigure_zha": "Reconfigure ZHA",
+ "unplug_your_old_radio": "Unplug your old radio",
+ "intent_migrate_title": "Migrate to a new radio",
+ "re_configure_the_current_radio": "Re-configure the current radio",
+ "migrate_or_re_configure": "Migrate or re-configure",
"current_entity_name_apparent_power": "Công suất biểu kiến {entity_name} hiện tại",
"condition_type_is_aqi": "Current {entity_name} air quality index",
"current_entity_name_area": "Current {entity_name} area",
@@ -2693,76 +2940,132 @@
"entity_name_water_changes": "{entity_name} water changes",
"entity_name_weight_changes": "{entity_name} weight changes",
"entity_name_wind_speed_changes": "{entity_name} wind speed changes",
+ "decrease_entity_name_brightness": "Giảm độ sáng của {entity_name}",
+ "increase_entity_name_brightness": "Tăng độ sáng của {entity_name}",
+ "flash_entity_name": "Nhấp nháy {entity_name}",
+ "toggle_entity_name": "Đảo bật/tắt {entity_name}",
+ "disarm_entity_name": "Tắt {entity_name}",
+ "turn_on_entity_name": "Bật {entity_name}",
+ "entity_name_is_off": "{entity_name} đang tắt",
+ "entity_name_is_on": "{entity_name} đang bật",
+ "flash": "Nhấp nháy",
+ "trigger_type_changed_states": "{entity_name} bật hoặc tắt",
+ "entity_name_turned_off": "{entity_name} đã tắt",
+ "entity_name_turned_on": "{entity_name} đã bật",
+ "set_value_for_entity_name": "Đặt giá trị cho {entity_name}",
+ "value": "Value",
+ "entity_name_update_availability_changed": "tính khả dụng của bản cập nhật {entity_name} đã thay đổi",
+ "entity_name_is_up_to_date": "{entity_name} đã được cập nhật",
+ "trigger_type_update": "{entity_name} có sẵn bản cập nhật",
+ "first_button": "Nút thứ nhất",
+ "second_button": "Nút thứ hai",
+ "third_button": "Nút thứ ba",
+ "fourth_button": "Nút thứ tư",
+ "fifth_button": "Nút thứ năm",
+ "sixth_button": "Nút thứ sáu",
+ "subtype_double_clicked": "\"{subtype}\" được nhấn đúp",
+ "subtype_continuously_pressed": "\"{subtype}\" được nhấn liên tục",
+ "trigger_type_button_long_release": "\"{subtype}\" được thả sau khi nhấn lâu",
+ "subtype_quadruple_clicked": "\"{subtype}\" được nhấn bốn lần",
+ "subtype_quintuple_clicked": "\"{subtype}\" được nhấn năm lần",
+ "subtype_pressed": "\"{subtype}\" được nhấn",
+ "subtype_released": "\"{subtype}\" được thả",
+ "subtype_triple_clicked": "\"{subtype}\" được nhấn ba lần",
+ "entity_name_is_home": "{entity_name} có nhà",
+ "entity_name_is_not_home": "{entity_name} không có nhà",
+ "entity_name_enters_a_zone": "{entity_name} đi vào một vùng",
+ "entity_name_leaves_a_zone": "{entity_name} rời khỏi một vùng",
+ "press_entity_name_button": "Nhấn nút {entity_name}",
+ "entity_name_has_been_pressed": "{entity_name} đã được nhấn",
+ "let_entity_name_clean": "Để {entity_name} làm sạch",
+ "action_type_dock": "Để {entity_name} trở lại bệ sạc",
+ "entity_name_is_cleaning": "{entity_name} đang làm sạch",
+ "entity_name_is_docked": "{entity_name} ở bệ sạc",
+ "entity_name_started_cleaning": "{entity_name} bắt đầu dọn dẹp",
+ "entity_name_docked": "{entity_name} về bệ sạc",
+ "send_a_notification": "Gửi thông báo",
+ "lock_entity_name": "Khóa {entity_name}",
+ "open_entity_name": "Mở {entity_name}",
+ "unlock_entity_name": "Mở khóa {entity_name}",
+ "entity_name_is_locked": "{entity_name} bị khóa",
+ "entity_name_is_open": "{entity_name} đang mở",
+ "entity_name_is_unlocked": "{entity_name} được mở khóa",
+ "entity_name_locked": "{entity_name} đã khóa",
+ "entity_name_opened": "{entity_name} đã mở",
+ "entity_name_unlocked": "{entity_name} đã mở khóa",
"action_type_set_hvac_mode": "Thay đổi chế độ điều hòa trên {entity_name}",
"change_preset_on_entity_name": "Thay đổi giá trị cài sẵn trên {entity_name}",
"to": "Thành",
"entity_name_measured_humidity_changed": "Độ ẩm {entity_name} đo được đã thay đổi",
"entity_name_measured_temperature_changed": "Nhiệt độ {entity_name} đo được đã thay đổi",
"entity_name_hvac_mode_changed": "Chế độ điều hòa {entity_name} đã thay đổi",
- "set_value_for_entity_name": "Set value for {entity_name}",
- "value": "Value",
+ "close_entity_name": "Đóng {entity_name}",
+ "close_entity_name_tilt": "Đóng nghiêng {entity_name}",
+ "open_entity_name_tilt": "Mở nghiêng {entity_name}",
+ "set_entity_name_position": "Đặt vị trí {entity_name}",
+ "set_entity_name_tilt_position": "Đặt vị trí nghiêng {entity_name}",
+ "stop_entity_name": "Dừng {entity_name}",
+ "entity_name_is_closed": "{entity_name} đã đóng",
+ "entity_name_closing": "{entity_name} đang đóng",
+ "current_entity_name_position_is": "Vị trí {entity_name} hiện tại là",
+ "condition_type_is_tilt_position": "Vị trí nghiêng {entity_name} hiện tại là",
+ "entity_name_closed": "{entity_name} đóng",
+ "entity_name_position_changes": "{entity_name} thay đổi vị trí",
+ "entity_name_tilt_position_changes": "{entity_name} thay đổi vị trí nghiêng",
"entity_name_battery_low": "{entity_name} pin yếu",
- "entity_name_is_charging": "{entity_name} is charging",
- "condition_type_is_co": "{entity_name} is detecting carbon monoxide",
+ "entity_name_charging": "{entity_name} đang sạc",
+ "condition_type_is_co": "{entity_name} đang phát hiện carbon monoxide",
"entity_name_is_cold": "{entity_name} lạnh",
"entity_name_is_connected": "{entity_name} được kết nối",
"entity_name_is_detecting_gas": "{entity_name} đang phát hiện khí đốt",
"entity_name_is_hot": "{entity_name} nóng",
"entity_name_is_detecting_light": "{entity_name} đang phát hiện ánh sáng",
- "entity_name_is_locked": "{entity_name} bị khóa",
"entity_name_is_moist": "{entity_name} bị ẩm",
"entity_name_is_detecting_motion": "{entity_name} đang phát hiện chuyển động",
"entity_name_is_moving": "{entity_name} đang di chuyển",
- "condition_type_is_no_co": "{entity_name} is not detecting carbon monoxide",
+ "condition_type_is_no_co": "{entity_name} không phát hiện ra carbon monoxide",
"condition_type_is_no_gas": "{entity_name} không phát hiện thấy khí đốt",
"condition_type_is_no_light": "{entity_name} không phát hiện thấy ánh sáng",
"condition_type_is_no_motion": "{entity_name} không phát hiện thấy chuyển động",
"condition_type_is_no_problem": "{entity_name} không phát hiện được sự cố",
"condition_type_is_no_smoke": "{entity_name} không phát hiện thấy khói",
"condition_type_is_no_sound": "{entity_name} không phát hiện âm thanh",
- "entity_name_is_up_to_date": "{entity_name} đã được cập nhật",
"condition_type_is_no_vibration": "{entity_name} không phát hiện thấy rung",
"entity_name_battery_normal": "{entity_name} pin bình thường",
- "entity_name_is_not_charging": "{entity_name} is not charging",
+ "entity_name_not_charging": "{entity_name} không sạc",
"entity_name_is_not_cold": "{entity_name} không lạnh",
"entity_name_disconnected": "{entity_name} bị ngắt kết nối",
"entity_name_is_not_hot": "{entity_name} không nóng",
- "entity_name_is_unlocked": "{entity_name} được mở khóa",
"entity_name_is_dry": "{entity_name} khô",
"entity_name_is_not_moving": "{entity_name} không di chuyển",
"entity_name_is_not_occupied": "{entity_name} không có người ở",
- "entity_name_closed": "{entity_name} đã đóng",
"entity_name_is_unplugged": "{entity_name} đã được rút phích cắm",
"entity_name_not_powered": "{entity_name} không được cấp nguồn",
"entity_name_not_present": "{entity_name} không có mặt",
- "entity_name_is_not_running": "{entity_name} is not running",
- "condition_type_is_not_tampered": "{entity_name} is not detecting tampering",
+ "entity_name_is_not_running": "{entity_name} không chạy",
+ "condition_type_is_not_tampered": "{entity_name} không phát hiện bị phá",
"entity_name_is_safe": "{entity_name} an toàn",
"entity_name_is_occupied": "{entity_name} có người ở",
- "entity_name_is_open": "{entity_name} đang mở",
"entity_name_is_plugged_in": "{entity_name} đã được cắm điện",
"entity_name_powered": "{entity_name} được cấp nguồn",
"entity_name_present": "{entity_name} có mặt",
"entity_name_is_detecting_problem": "{entity_name} đang phát hiện sự cố",
- "entity_name_is_running": "{entity_name} is running",
+ "entity_name_is_running": "{entity_name} đang chạy",
"entity_name_is_detecting_smoke": "{entity_name} đang phát hiện khói",
"entity_name_is_detecting_sound": "{entity_name} đang phát hiện âm thanh",
- "entity_name_is_detecting_tampering": "{entity_name} is detecting tampering",
+ "entity_name_is_detecting_tampering": "{entity_name} đang phát hiện bị phá",
"entity_name_is_unsafe": "{entity_name} không an toàn",
- "trigger_type_update": "{entity_name} có sẵn bản cập nhật",
"entity_name_is_detecting_vibration": "{entity_name} đang phát hiện rung",
- "entity_name_charging": "{entity_name} charging",
- "trigger_type_co": "{entity_name} started detecting carbon monoxide",
+ "trigger_type_co": "{entity_name} bắt đầu phát hiện carbon monoxide",
"entity_name_became_cold": "{entity_name} trở nên lạnh",
"entity_name_connected": "{entity_name} đã kết nối",
"entity_name_started_detecting_gas": "{entity_name} bắt đầu phát hiện khí",
"entity_name_became_hot": "{entity_name} trở nên nóng",
"entity_name_started_detecting_light": "{entity_name} bắt đầu phát hiện ánh sáng",
- "entity_name_locked": "{entity_name} đã khóa",
"entity_name_became_moist": "{entity_name} trở nên ẩm ướt",
"entity_name_started_detecting_motion": "{entity_name} bắt đầu phát hiện chuyển động",
"entity_name_started_moving": "{entity_name} bắt đầu di chuyển",
- "trigger_type_no_co": "{entity_name} stopped detecting carbon monoxide",
+ "trigger_type_no_co": "{entity_name} ngừng phát hiện carbon monoxide",
"entity_name_stopped_detecting_gas": "{entity_name} ngừng phát hiện khí",
"entity_name_stopped_detecting_light": "{entity_name} ngừng phát hiện ánh sáng",
"entity_name_stopped_detecting_motion": "{entity_name} ngừng phát hiện chuyển động",
@@ -2770,21 +3073,18 @@
"entity_name_stopped_detecting_smoke": "{entity_name} ngừng phát hiện khói",
"entity_name_stopped_detecting_sound": "{entity_name} ngừng phát hiện âm thanh",
"entity_name_stopped_detecting_vibration": "{entity_name} ngừng phát hiện rung động",
- "entity_name_not_charging": "{entity_name} not charging",
"entity_name_became_not_cold": "{entity_name} trở nên không lạnh",
"entity_name_became_not_hot": "{entity_name} trở nên không nóng",
- "entity_name_unlocked": "{entity_name} đã mở khóa",
"entity_name_became_dry": "{entity_name} trở nên khô",
"entity_name_stopped_moving": "{entity_name} ngừng di chuyển",
"entity_name_unplugged": "{entity_name} đã rút phích cắm",
- "trigger_type_not_running": "{entity_name} is no longer running",
+ "trigger_type_not_running": "{entity_name} không còn chạy nữa",
"entity_name_stopped_detecting_tampering": "{entity_name} ngừng phát hiện bị can thiệp",
"entity_name_became_safe": "{entity_name} trở nên an toàn",
"entity_name_became_occupied": "{entity_name} bị chiếm đóng",
- "entity_name_opened": "{entity_name} đã mở",
"entity_name_plugged_in": "{entity_name} đã được cắm",
"entity_name_started_detecting_problem": "{entity_name} bắt đầu phát hiện sự cố",
- "entity_name_started_running": "{entity_name} started running",
+ "entity_name_started_running": "{entity_name} bắt đầu chạy",
"entity_name_started_detecting_smoke": "{entity_name} bắt đầu phát hiện khói",
"entity_name_started_detecting_sound": "{entity_name} bắt đầu phát hiện âm thanh",
"entity_name_started_detecting_tampering": "{entity_name} bắt đầu phát hiện bị can thiệp",
@@ -2797,68 +3097,15 @@
"entity_name_starts_buffering": "{entity_name} starts buffering",
"entity_name_becomes_idle": "{entity_name} trở nên nhàn rỗi",
"entity_name_starts_playing": "{entity_name} bắt đầu phát",
- "entity_name_is_home": "{entity_name} có nhà",
- "entity_name_is_not_home": "{entity_name} không có nhà",
- "entity_name_enters_a_zone": "{entity_name} đi vào một vùng",
- "entity_name_leaves_a_zone": "{entity_name} rời khỏi một vùng",
- "decrease_entity_name_brightness": "Giảm độ sáng {entity_name}",
- "increase_entity_name_brightness": "Tăng độ sáng {entity_name}",
- "flash_entity_name": "Flash {entity_name}",
- "flash": "Nhấp nháy",
- "entity_name_update_availability_changed": "tính khả dụng của bản cập nhật {entity_name} đã thay đổi",
- "arm_entity_name_away": "Bật {entity_name} đi vắng",
- "arm_entity_name_home": "Bật {entity_name} ở nhà",
- "arm_entity_name_night": "Bật {entity_name} ban đêm",
- "arm_entity_name_vacation": "Bảo vệ {entity_name} ở chế độ đi nghỉ",
- "trigger_entity_name": "Kích hoạt {entity_name}",
- "entity_name_is_armed_away": "{entity_name} đang bật đi vắng",
- "entity_name_is_armed_home": "{entity_name} đang bật ở nhà",
- "entity_name_is_armed_night": "{entity_name} đang bật ban đêm",
- "entity_name_is_armed_vacation": "{entity_name} được bảo vệ đi nghỉ",
- "entity_name_is_disarmed": "{entity_name} đang tắt bảo vệ",
- "entity_name_triggered": "{entity_name} bị kích hoạt",
- "entity_name_armed_away": "{entity_name} bật đi vắng",
- "entity_name_armed_home": "{entity_name} bật ở nhà",
- "entity_name_armed_night": "{entity_name} bật ban đêm",
- "entity_name_armed_vacation": "{entity_name} bảo vệ đi nghỉ",
- "entity_name_disarmed": "{entity_name} tắt bảo vệ",
- "press_entity_name_button": "Press {entity_name} button",
- "entity_name_has_been_pressed": "{entity_name} has been pressed",
"action_type_select_first": "Change {entity_name} to first option",
"action_type_select_last": "Change {entity_name} to last option",
"action_type_select_next": "Change {entity_name} to next option",
"change_entity_name_option": "Thay đổi tùy chọn {entity_name}",
"action_type_select_previous": "Change {entity_name} to previous option",
"current_entity_name_selected_option": "Tùy chọn đã chọn {entity_name} hiện tại",
- "cycle": "Cycle",
+ "cycle": "Tuần hoàn",
"from": "From",
"entity_name_option_changed": "Tùy chọn {entity_name} thay đổi",
- "close_entity_name": "Đóng {entity_name}",
- "close_entity_name_tilt": "Đóng nghiêng {entity_name}",
- "open_entity_name": "Mở {entity_name}",
- "open_entity_name_tilt": "Mở nghiêng {entity_name}",
- "set_entity_name_position": "Đặt vị trí {entity_name}",
- "set_entity_name_tilt_position": "Đặt vị trí nghiêng {entity_name}",
- "stop_entity_name": "Dừng {entity_name}",
- "entity_name_closing": "{entity_name} đang đóng",
- "current_entity_name_position_is": "Vị trí {entity_name} hiện tại là",
- "condition_type_is_tilt_position": "Vị trí nghiêng {entity_name} hiện tại là",
- "entity_name_position_changes": "{entity_name} thay đổi vị trí",
- "entity_name_tilt_position_changes": "{entity_name} thay đổi vị trí nghiêng",
- "first_button": "Nút thứ nhất",
- "second_button": "Nút thứ hai",
- "third_button": "Nút thứ ba",
- "fourth_button": "Nút thứ tư",
- "fifth_button": "Nút thứ năm",
- "sixth_button": "Nút thứ sáu",
- "subtype_double_clicked": "{subtype} được nhấn hai lần",
- "subtype_continuously_pressed": "\"{subtype}\" được nhấn liên tục",
- "trigger_type_button_long_release": "\"{subtype}\" được thả sau khi nhấn lâu",
- "subtype_quadruple_clicked": "\"{subtype}\" được nhấn bốn lần",
- "subtype_quintuple_clicked": "\"{subtype}\" được nhấn năm lần",
- "subtype_pressed": "\"{subtype}\" được nhấn",
- "subtype_released": "\"{subtype}\" được thả",
- "subtype_triple_clicked": "{subtype} được nhấn ba lần",
"both_buttons": "Cả hai nút",
"bottom_buttons": "Nút ở dưới",
"seventh_button": "Nút thứ bảy",
@@ -2883,13 +3130,6 @@
"trigger_type_remote_rotate_from_side": "Thiết bị được xoay từ \"bên 6\" sang \"{subtype}\"",
"device_turned_clockwise": "Thiết bị bị quay theo chiều kim đồng hồ",
"device_turned_counter_clockwise": "Thiết bị bị quay ngược chiều kim đồng hồ",
- "send_a_notification": "Gửi thông báo",
- "let_entity_name_clean": "Để {entity_name} làm sạch",
- "action_type_dock": "Để {entity_name} trở lại bệ sạc",
- "entity_name_is_cleaning": "{entity_name} đang làm sạch",
- "entity_name_is_docked": "{entity_name} ở bệ sạc",
- "entity_name_started_cleaning": "{entity_name} bắt đầu dọn dẹp",
- "entity_name_docked": "{entity_name} về bệ sạc",
"subtype_button_down": "Nút xuống {subtype}",
"subtype_button_up": "Nút lên {subtype}",
"subtype_double_push": "{subtype} double push",
@@ -2900,204 +3140,184 @@
"trigger_type_single_long": "{subtype} được nhấn một lần rồi nhấn lâu",
"subtype_single_push": "{subtype} single push",
"subtype_triple_push": "{subtype} triple push",
- "lock_entity_name": "Khóa {entity_name}",
- "unlock_entity_name": "Mở khóa {entity_name}",
+ "arm_entity_name_away": "Bật {entity_name} đi vắng",
+ "arm_entity_name_home": "Bật {entity_name} ở nhà",
+ "arm_entity_name_night": "Bật {entity_name} ban đêm",
+ "arm_entity_name_vacation": "Bảo vệ {entity_name} ở chế độ đi nghỉ",
+ "trigger_entity_name": "Kích hoạt {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} đang bật đi vắng",
+ "entity_name_is_armed_home": "{entity_name} đang bật ở nhà",
+ "entity_name_is_armed_night": "{entity_name} đang bật ban đêm",
+ "entity_name_is_armed_vacation": "{entity_name} được bảo vệ đi nghỉ",
+ "entity_name_is_disarmed": "{entity_name} đang tắt bảo vệ",
+ "entity_name_triggered": "{entity_name} bị kích hoạt",
+ "entity_name_armed_away": "{entity_name} bật đi vắng",
+ "entity_name_armed_home": "{entity_name} bật ở nhà",
+ "entity_name_armed_night": "{entity_name} bật ban đêm",
+ "entity_name_armed_vacation": "{entity_name} bảo vệ đi nghỉ",
+ "entity_name_disarmed": "{entity_name} tắt bảo vệ",
+ "action_type_issue_all_led_effect": "Issue effect for all LEDs",
+ "action_type_issue_individual_led_effect": "Issue effect for individual LED",
+ "squawk": "Kêu",
+ "warn": "Cảnh báo",
+ "color_hue": "Sắc độ",
+ "duration_in_seconds": "Duration in seconds",
+ "effect_type": "Effect type",
+ "led_number": "LED number",
+ "with_face_activated": "Với khuôn mặt 6 được kích hoạt",
+ "with_any_specified_face_s_activated": "Với bất kỳ khuôn mặt được chỉ định nào được kích hoạt",
+ "device_dropped": "Thiết bị bị rơi",
+ "device_flipped_subtype": "Thiết bị bị lật \"{subtype}\"",
+ "device_knocked_subtype": "Thiết bị bị gõ \"{subtype}\"",
+ "device_offline": "Thiết bị ngoại tuyến",
+ "device_rotated_subtype": "Thiết bị bị xoay \"{subtype}\"",
+ "device_slid_subtype": "Thiết bị bị trượt \"{subtype}\"",
+ "device_tilted": "Thiết bị bị nghiêng",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" được nhấn hai lần (Chế độ thay thế)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" được nhấn liên tục (Chế độ thay thế)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" được thả sau khi nhấn lâu (Chế độ thay thế)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" được nhấn bốn lần (Chế độ thay thế)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" được nhấn năm lần (Chế độ thay thế)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" được nhấn (Chế độ thay thế)",
+ "subtype_released_alternate_mode": "\"{subtype}\" được thả (Chế độ thay thế)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" được nhấn ba lần (Chế độ thay thế)",
"add_to_queue": "Add to queue",
"play_next": "Play next",
"options_replace": "Play now and clear queue",
"repeat_all": "Repeat all",
"repeat_one": "Repeat one",
- "no_code_format": "No code format",
- "no_unit_of_measurement": "Không có đơn vị đo lường",
+ "alice_blue": "Xanh Alice",
+ "antique_white": "Trắng cổ",
+ "aquamarine": "Xanh ngọc bích",
+ "azure": "Xanh da trời",
+ "beige": "Be",
+ "bisque": "Bisque",
+ "blanched_almond": "Hạnh nhân chần",
+ "blue_violet": "Xanh tím",
+ "burlywood": "Gỗ Burly",
+ "cadet_blue": "Xanh lam thiếu sinh quân",
+ "chartreuse": "Xanh lục nhạt",
+ "chocolate": "Sôcôla",
+ "coral": "San hô",
+ "cornflower_blue": "Xanh hoa ngô",
+ "cornsilk": "Râu ngô",
+ "crimson": "Đỏ thẫm",
+ "dark_blue": "Xanh đậm",
+ "dark_cyan": "Xanh lam đậm",
+ "dark_goldenrod": "Thanh vàng sẫm màu",
+ "dark_gray": "Xám đậm",
+ "dark_green": "Xanh lá cây đậm",
+ "dark_khaki": "Kaki đen",
+ "dark_magenta": "Đỏ tía sẫm",
+ "dark_olive_green": "Xanh ô liu đậm",
+ "dark_orchid": "Hoa lan đen",
+ "dark_red": "Đỏ sẫm",
+ "dark_salmon": "Cá hồi sẫm",
+ "dark_sea_green": "Xanh lá biển đậm",
+ "dark_slate_blue": "Xanh đá phiến đậm",
+ "dark_slate_gray": "Xám đá phiến đậm",
+ "dark_turquoise": "Ngọc lam đậm",
+ "deep_pink": "Hồng đậm",
+ "deep_sky_blue": "Trời xanh thẳm",
+ "dim_gray": "Xám mờ",
+ "dodger_blue": "Xanh Dodger",
+ "fire_brick": "Gạch chịu lửa",
+ "floral_white": "Trắng hoa",
+ "forest_green": "Xanh rừng",
+ "fuchsia": "Hoa vân anh",
+ "gainsboro": "Gainsboro",
+ "ghost_white": "Trắng ma",
+ "goldenrod": "Vàng kim châm",
+ "green_yellow": "Xanh lá cây vàng",
+ "home_assistant": "Home Assistant",
+ "honeydew": "Dưa mật",
+ "hot_pink": "Hồng nóng",
+ "indian_red": "Đỏ Ấn Độ",
+ "ivory": "Ngà",
+ "khaki": "Kaki",
+ "lavender": "Hoa oải hương",
+ "lavender_blush": "Má hồng hoa oải hương",
+ "lawn_green": "Xanh bãi cỏ",
+ "lemon_chiffon": "Voan chanh",
+ "light_coral": "San hô nhạt",
+ "light_cyan": "Lục lam nhạt",
+ "light_yellow": "Vàng nhạt",
+ "light_pink": "Hồng nhạt",
+ "light_salmon": "Cá hồi nhạt",
+ "light_sea_green": "Xanh biển nhạt",
+ "light_sky_blue": "Xanh da trời nhạt",
+ "light_slate_gray": "Xám đá phiến nhạt",
+ "light_steel_blue": "Xanh thép nhạt",
+ "lime_green": "Xanh lá chanh",
+ "linen": "Lanh",
+ "magenta": "Đỏ tía",
+ "maroon": "Hạt dẻ",
+ "medium_aquamarine": "Aquamarine trung bình",
+ "medium_blue": "Xanh trung bình",
+ "medium_orchid": "Phong lan trung bình",
+ "medium_purple": "Tím trung bình",
+ "medium_sea_green": "Xanh lá biển trung bình",
+ "medium_slate_blue": "Xanh đá phiến trung bình",
+ "medium_spring_green": "Xanh lá cây mùa xuân trung bình",
+ "medium_turquoise": "Ngọc lam trung bình",
+ "medium_violet_red": "Đỏ tím trung bình",
+ "midnight_blue": "Xanh nửa đêm",
+ "mint_cream": "Kem bạc hà",
+ "misty_rose": "Hồng sương mù",
+ "moccasin": "Moccasin",
+ "navajo_white": "Trắng Navajo",
+ "navy": "Hải quân",
+ "navy_blue": "Xanh hải quân",
+ "old_lace": "Ren cũ",
+ "olive": "Ôliu",
+ "olive_drab": "Ô liu buồn tẻ",
+ "orange_red": "Cam đỏ",
+ "orchid": "Phong lan",
+ "pale_goldenrod": "Thanh vàng nhạt",
+ "pale_turquoise": "Ngọc lam nhạt",
+ "pale_violet_red": "Đỏ tím nhạt",
+ "papaya_whip": "Roi đu đủ",
+ "peach_puff": "Phồng đào",
+ "peru": "Peru",
+ "plum": "Mận",
+ "powder_blue": "Xanh bột",
+ "rosy_brown": "Nâu hồng",
+ "royal_blue": "Xanh hoàng gia",
+ "saddle_brown": "Nâu yên ngựa",
+ "salmon": "Cá hồi",
+ "sandy_brown": "Nâu cát",
+ "sea_green": "Xanh lá biển",
+ "seashell": "Vỏ sò",
+ "sienna": "Sienna",
+ "silver": "Bạc",
+ "slate_blue": "Xanh đá phiến",
+ "slate_gray": "Xám đá phiến",
+ "snow": "Tuyết",
+ "spring_green": "Xanh lá mùa xuân",
+ "steel_blue": "Thép xanh",
+ "tan": "Thuộc",
+ "thistle": "Cây kế",
+ "tomato": "Cà chua",
+ "turquoise": "Ngọc lam",
+ "wheat": "Lúa mì",
+ "white_smoke": "Khói trắng",
+ "yellow_green": "Vàng xanh lá cây",
"critical": "Critical",
"debug": "Debug",
"info": "Info",
"warning": "Warning",
- "create_an_empty_calendar": "Create an empty calendar",
- "options_import_ics_file": "Upload an iCalendar file (.ics)",
"passive": "Passive",
+ "no_code_format": "Không có định dạng mã",
+ "no_unit_of_measurement": "Không có đơn vị đo lường",
+ "fatal": "Fatal",
"most_recently_updated": "Cập nhật gần đây nhất",
"arithmetic_mean": "Trung bình số học",
"median": "Trung vị",
"product": "Sản phẩm",
"statistical_range": "Khoảng giá trị thống kê",
- "standard_deviation": "Standard deviation",
- "fatal": "Fatal",
- "alice_blue": "Alice blue",
- "antique_white": "Antique white",
- "aqua": "Aqua",
- "aquamarine": "Aquamarine",
- "azure": "Azure",
- "beige": "Beige",
- "bisque": "Bisque",
- "blanched_almond": "Blanched almond",
- "blue_violet": "Blue violet",
- "burlywood": "Burlywood",
- "cadet_blue": "Cadet blue",
- "chartreuse": "Chartreuse",
- "chocolate": "Chocolate",
- "coral": "Coral",
- "cornflower_blue": "Cornflower blue",
- "cornsilk": "Cornsilk",
- "crimson": "Crimson",
- "dark_blue": "Dark blue",
- "dark_cyan": "Dark cyan",
- "dark_goldenrod": "Dark goldenrod",
- "dark_gray": "Dark gray",
- "dark_green": "Dark green",
- "dark_khaki": "Dark khaki",
- "dark_magenta": "Dark magenta",
- "dark_olive_green": "Dark olive green",
- "dark_orange": "Dark orange",
- "dark_orchid": "Dark orchid",
- "dark_red": "Dark red",
- "dark_salmon": "Dark salmon",
- "dark_sea_green": "Dark sea green",
- "dark_slate_blue": "Dark slate blue",
- "dark_slate_gray": "Dark slate gray",
- "dark_slate_grey": "Dark slate grey",
- "dark_turquoise": "Dark turquoise",
- "dark_violet": "Dark violet",
- "deep_pink": "Deep pink",
- "deep_sky_blue": "Deep sky blue",
- "dim_gray": "Dim gray",
- "dim_grey": "Dim grey",
- "dodger_blue": "Dodger blue",
- "fire_brick": "Fire brick",
- "floral_white": "Floral white",
- "forest_green": "Forest green",
- "fuchsia": "Fuchsia",
- "gainsboro": "Gainsboro",
- "ghost_white": "Ghost white",
- "gold": "Gold",
- "goldenrod": "Goldenrod",
- "gray": "Gray",
- "green_yellow": "Green yellow",
- "home_assistant": "Home Assistant",
- "honeydew": "Honeydew",
- "hot_pink": "Hot pink",
- "indian_red": "Indian red",
- "ivory": "Ivory",
- "khaki": "Khaki",
- "lavender": "Lavender",
- "lavender_blush": "Lavender blush",
- "lawn_green": "Lawn green",
- "lemon_chiffon": "Lemon chiffon",
- "light_coral": "Light coral",
- "light_cyan": "Light cyan",
- "light_goldenrod_yellow": "Light goldenrod yellow",
- "light_gray": "Light gray",
- "light_pink": "Light pink",
- "light_salmon": "Light salmon",
- "light_sea_green": "Light sea green",
- "light_sky_blue": "Light sky blue",
- "light_slate_gray": "Light slate gray",
- "light_slate_grey": "Light slate grey",
- "light_steel_blue": "Light steel blue",
- "light_yellow": "Light yellow",
- "lime_green": "Lime green",
- "linen": "Linen",
- "magenta": "Magenta",
- "maroon": "Maroon",
- "medium_aquamarine": "Medium aquamarine",
- "medium_blue": "Medium blue",
- "medium_orchid": "Medium orchid",
- "medium_purple": "Medium purple",
- "medium_sea_green": "Medium sea green",
- "medium_slate_blue": "Medium slate blue",
- "medium_spring_green": "Medium spring green",
- "medium_turquoise": "Medium turquoise",
- "medium_violet_red": "Medium violet red",
- "midnight_blue": "Midnight blue",
- "mint_cream": "Mint cream",
- "misty_rose": "Misty rose",
- "moccasin": "Moccasin",
- "navajo_white": "Navajo white",
- "navy": "Navy",
- "navy_blue": "Navy blue",
- "old_lace": "Old lace",
- "olive": "Olive",
- "olive_drab": "Olive drab",
- "orange_red": "Orange red",
- "orchid": "Orchid",
- "pale_goldenrod": "Pale goldenrod",
- "pale_green": "Pale green",
- "pale_turquoise": "Pale turquoise",
- "pale_violet_red": "Pale violet red",
- "papaya_whip": "Papaya whip",
- "peach_puff": "Peach puff",
- "peru": "Peru",
- "plum": "Plum",
- "powder_blue": "Powder blue",
- "rosy_brown": "Rosy brown",
- "royal_blue": "Royal blue",
- "saddle_brown": "Saddle brown",
- "salmon": "Salmon",
- "sandy_brown": "Sandy brown",
- "sea_green": "Sea green",
- "seashell": "Seashell",
- "sienna": "Sienna",
- "silver": "Silver",
- "sky_blue": "Sky blue",
- "slate_blue": "Slate blue",
- "slate_gray": "Slate gray",
- "slate_grey": "Slate grey",
- "snow": "Snow",
- "spring_green": "Spring green",
- "steel_blue": "Steel blue",
- "tan": "Tan",
- "thistle": "Thistle",
- "tomato": "Tomato",
- "turquoise": "Turquoise",
- "violet": "Violet",
- "wheat": "Wheat",
- "white_smoke": "White smoke",
- "yellow_green": "Yellow green",
- "sets_the_value": "Sets the value.",
- "the_target_value": "The target value.",
- "command": "Command",
- "device_description": "Device ID to send command to.",
- "delete_command": "Delete command",
- "alternative": "Alternative",
- "command_type_description": "The type of command to be learned.",
- "command_type": "Command type",
- "timeout_description": "Timeout for the command to be learned.",
- "learn_command": "Learn command",
- "delay_seconds": "Delay seconds",
- "hold_seconds": "Hold seconds",
- "repeats": "Repeats",
- "send_command": "Send command",
- "sends_the_toggle_command": "Gửi lệnh bật/tắt.",
- "turn_off_description": "Turn off one or more lights.",
- "turn_on_description": "Starts a new cleaning task.",
- "set_datetime_description": "Sets the date and/or time.",
- "the_target_date": "The target date.",
- "datetime_description": "The target date & time.",
- "date_time": "Date & time",
- "the_target_time": "The target time.",
- "creates_a_new_backup": "Creates a new backup.",
- "apply_description": "Kích hoạt một cảnh có cấu hình.",
- "entities_description": "Danh sách các thực thể và trạng thái mục tiêu của chúng.",
- "transition": "Chuyển tiếp",
- "apply": "Áp dụng",
- "creates_a_new_scene": "Tạo cảnh mới.",
- "scene_id_description": "ID thực thể của cảnh mới.",
- "scene_entity_id": "ID thực thể cảnh",
- "snapshot_entities": "Thực thể ảnh chụp nhanh",
- "delete_description": "Deletes a dynamically created scene.",
- "activates_a_scene": "Kích hoạt một cảnh.",
- "closes_a_valve": "Closes a valve.",
- "opens_a_valve": "Opens a valve.",
- "set_valve_position_description": "Moves a valve to a specific position.",
- "target_position": "Target position.",
- "set_position": "Set position",
- "stops_the_valve_movement": "Stops the valve movement.",
- "toggles_a_valve_open_closed": "Toggles a valve open/closed.",
- "dashboard_path": "Dashboard path",
- "view_path": "View path",
- "show_dashboard_view": "Show dashboard view",
- "finish_description": "Finishes a running timer earlier than scheduled.",
- "duration_description": "Custom duration to restart the timer with.",
+ "standard_deviation": "Độ lệch chuẩn",
+ "create_an_empty_calendar": "Create an empty calendar",
+ "options_import_ics_file": "Upload an iCalendar file (.ics)",
"sets_a_random_effect": "Đặt hiệu ứng ngẫu nhiên.",
"sequence_description": "Danh sách các chuỗi HSV (Tối đa 16).",
"backgrounds": "Cảnh nền",
@@ -3112,18 +3332,182 @@
"random_seed": "Hạt giống ngẫu nhiên",
"range_of_saturation": "Phạm vi bão hòa.",
"saturation_range": "Phạm vi bão hòa",
- "segments_description": "List of Segments (0 for all).",
- "segments": "Segments",
+ "segments_description": "Danh sách các phân đoạn (0 cho tất cả).",
+ "segments": "Phân đoạn",
+ "transition": "Chuyển tiếp",
"range_of_transition": "Phạm vi chuyển tiếp.",
"transition_range": "Phạm vi chuyển tiếp",
"random_effect": "Hiệu ứng ngẫu nhiên",
- "sets_a_sequence_effect": "Sets a sequence effect.",
- "repetitions_for_continuous": "Repetitions (0 for continuous).",
- "repetitions": "Repetitions",
- "sequence": "Sequence",
- "speed_of_spread": "Speed of spread.",
- "spread": "Spread",
+ "sets_a_sequence_effect": "Thiết lập hiệu ứng chuỗi.",
+ "repetitions_for_continuous": "Lặp lại (0 để liên tục).",
+ "repetitions": "Lặp lại",
+ "sequence": "Chuỗi",
+ "speed_of_spread": "Tốc độ lan truyền.",
+ "spread": "Lan truyền",
"sequence_effect": "Sequence effect",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "Bật/tắt còi báo động.",
+ "turns_the_siren_off": "Tắt còi báo động.",
+ "turns_the_siren_on": "Bật còi báo động.",
+ "brightness_value": "Giá trị độ sáng",
+ "a_human_readable_color_name": "Tên màu mà con người có thể đọc được.",
+ "color_name": "Tên màu",
+ "color_temperature_in_mireds": "Nhiệt độ màu theo đơn vị mired.",
+ "light_effect": "Hiệu ứng ánh sáng.",
+ "hue_sat_color": "Màu Sắc độ/Độ bão hòa",
+ "color_temperature_in_kelvin": "Nhiệt độ màu tính bằng Kelvin.",
+ "profile_description": "Tên của hồ sơ ánh sáng cần sử dụng.",
+ "rgbw_color": "Màu RGBW",
+ "rgbww_color": "Màu RGBWW",
+ "white_description": "Đặt đèn ở chế độ trắng.",
+ "xy_color": "Màu XY",
+ "turn_off_description": "Sends the turn off command.",
+ "brightness_step_description": "Thay đổi độ sáng theo một lượng nhất định.",
+ "brightness_step_value": "Giá trị bước sáng",
+ "brightness_step_pct_description": "Thay đổi độ sáng theo phần trăm.",
+ "brightness_step": "Bước sáng",
+ "toggles_the_helper_on_off": "Đảo bật/tắt biến trợ giúp.",
+ "turns_off_the_helper": "Tắt biến trợ giúp.",
+ "turns_on_the_helper": "Bật biến trợ giúp.",
+ "pauses_the_mowing_task": "Pauses the mowing task.",
+ "starts_the_mowing_task": "Starts the mowing task.",
+ "creates_a_new_backup": "Creates a new backup.",
+ "sets_the_value": "Đặt giá trị.",
+ "enter_your_text": "Nhập văn bản của bạn.",
+ "set_value": "Đặt giá trị",
+ "clear_lock_user_code_description": "Clears a user code from a lock.",
+ "code_slot_description": "Code slot to set the code in.",
+ "code_slot": "Code slot",
+ "clear_lock_user": "Clear lock user",
+ "disable_lock_user_code_description": "Disables a user code on a lock.",
+ "code_slot_to_disable": "Code slot to disable.",
+ "disable_lock_user": "Disable lock user",
+ "enable_lock_user_code_description": "Enables a user code on a lock.",
+ "code_slot_to_enable": "Code slot to enable.",
+ "enable_lock_user": "Enable lock user",
+ "args_description": "Tham số để truyền cho lệnh.",
+ "args": "Tham số",
+ "cluster_id_description": "Cụm ZCL để truy xuất các thuộc tính.",
+ "cluster_id": "ID cụm",
+ "type_of_the_cluster": "Loại cụm.",
+ "cluster_type": "Loại cụm",
+ "command_description": "Command(s) to send to Google Assistant.",
+ "command": "Command",
+ "command_type_description": "The type of command to be learned.",
+ "command_type": "Command type",
+ "endpoint_id_description": "ID điểm cuối cho cụm.",
+ "endpoint_id": "ID điểm cuối",
+ "ieee_description": "Địa chỉ IEEE cho thiết bị.",
+ "ieee": "IEEE",
+ "manufacturer": "Nhà sản xuất",
+ "params_description": "Các tham số cần truyền cho lệnh.",
+ "issue_zigbee_cluster_command": "Ra lệnh cụm zigbee",
+ "group_description": "Địa chỉ thập lục phân của nhóm.",
+ "issue_zigbee_group_command": "Ra lệnh nhóm zigbee",
+ "permit_description": "Cho phép các nút tham gia mạng Zigbee.",
+ "time_to_permit_joins": "Time to permit joins.",
+ "install_code": "Install code",
+ "qr_code": "QR code",
+ "source_ieee": "Source IEEE",
+ "permit": "Permit",
+ "reconfigure_device": "Reconfigure device",
+ "remove_description": "Xóa một nút khỏi mạng Zigbee.",
+ "set_lock_user_code_description": "Sets a user code on a lock.",
+ "code_to_set": "Code to set.",
+ "set_lock_user_code": "Set lock user code",
+ "attribute_description": "ID của thuộc tính cần đặt.",
+ "value_description": "The target value to set.",
+ "set_zigbee_cluster_attribute": "Đặt thuộc tính cụm zigbee",
+ "level": "Level",
+ "strobe": "Strobe",
+ "warning_device_squawk": "Warning device squawk",
+ "duty_cycle": "Duty cycle",
+ "intensity": "Intensity",
+ "warning_device_starts_alert": "Warning device starts alert",
+ "dump_log_objects": "Dump log objects",
+ "log_current_tasks_description": "Logs all the current asyncio tasks.",
+ "log_current_asyncio_tasks": "Log current asyncio tasks",
+ "log_event_loop_scheduled": "Log event loop scheduled",
+ "log_thread_frames_description": "Logs the current frames for all threads.",
+ "log_thread_frames": "Log thread frames",
+ "lru_stats_description": "Logs the stats of all lru caches.",
+ "log_lru_stats": "Log LRU stats",
+ "starts_the_memory_profiler": "Starts the Memory Profiler.",
+ "seconds": "Seconds",
+ "memory": "Memory",
+ "set_asyncio_debug_description": "Enable or disable asyncio debug.",
+ "enabled_description": "Whether to enable or disable asyncio debug.",
+ "set_asyncio_debug": "Set asyncio debug",
+ "starts_the_profiler": "Starts the Profiler.",
+ "max_objects_description": "The maximum number of objects to log.",
+ "maximum_objects": "Maximum objects",
+ "scan_interval_description": "The number of seconds between logging objects.",
+ "scan_interval": "Scan interval",
+ "start_logging_object_sources": "Start logging object sources",
+ "start_log_objects_description": "Starts logging growth of objects in memory.",
+ "start_logging_objects": "Start logging objects",
+ "stop_logging_object_sources": "Stop logging object sources",
+ "stop_log_objects_description": "Stops logging growth of objects in memory.",
+ "stop_logging_objects": "Stop logging objects",
+ "set_default_level_description": "Sets the default log level for integrations.",
+ "level_description": "Default severity level for all integrations.",
+ "set_default_level": "Set default level",
+ "set_level": "Set level",
+ "stops_a_running_script": "Stops a running script.",
+ "clear_skipped_update": "Xóa bản cập nhật đã bỏ qua",
+ "install_update": "Cài đặt bản cập nhật",
+ "skip_description": "Đánh dấu cập nhật hiện có là đã bỏ qua.",
+ "skip_update": "Bỏ qua cập nhật",
+ "decrease_speed_description": "Giảm tốc độ của quạt.",
+ "decrease_speed": "Giảm tốc độ",
+ "increase_speed_description": "Tăng tốc độ của quạt.",
+ "increase_speed": "Tăng tốc độ",
+ "oscillate_description": "Điều khiển xoay quạt.",
+ "turns_oscillation_on_off": "Bật/tắt chế độ xoay.",
+ "set_direction_description": "Đặt hướng quay của quạt.",
+ "direction_description": "Hướng quay của quạt.",
+ "set_direction": "Đặt hướng",
+ "set_percentage_description": "Đặt tốc độ của quạt.",
+ "speed_of_the_fan": "Tốc độ của quạt.",
+ "percentage": "Phần trăm",
+ "set_speed": "Đặt tốc độ",
+ "sets_preset_fan_mode": "Sets preset fan mode.",
+ "preset_fan_mode": "Chế độ cài sẵn.",
+ "set_preset_mode": "Đặt chế độ cài sẵn",
+ "toggles_a_fan_on_off": "Đảo bật/tắt quạt.",
+ "turns_fan_off": "Tắt quạt.",
+ "turns_fan_on": "Bật quạt.",
+ "set_datetime_description": "Đặt ngày và/hoặc giờ.",
+ "the_target_date": "Ngày mục tiêu.",
+ "datetime_description": "Ngày và giờ mục tiêu.",
+ "date_time": "Ngày & giờ",
+ "the_target_time": "Thời gian mục tiêu.",
+ "log_description": "Creates a custom entry in the logbook.",
+ "entity_id_description": "Media players to play the message.",
+ "message_description": "Message body of the notification.",
+ "log": "Log",
+ "request_sync_description": "Sends a request_sync command to Google.",
+ "agent_user_id": "Agent user ID",
+ "request_sync": "Request sync",
+ "apply_description": "Kích hoạt một cảnh có cấu hình.",
+ "entities_description": "Danh sách các thực thể và trạng thái mục tiêu của chúng.",
+ "apply": "Áp dụng",
+ "creates_a_new_scene": "Tạo cảnh mới.",
+ "entity_states": "Entity states",
+ "scene_id_description": "ID thực thể của cảnh mới.",
+ "scene_entity_id": "ID thực thể cảnh",
+ "entities_snapshot": "Entities snapshot",
+ "delete_description": "Xóa một cảnh được tạo động.",
+ "activates_a_scene": "Kích hoạt một cảnh.",
+ "reload_themes_description": "Reloads themes from the YAML-configuration.",
+ "reload_themes": "Reload themes",
+ "name_of_a_theme": "Name of a theme.",
+ "set_the_default_theme": "Set the default theme",
+ "decrement_description": "Giảm giá trị hiện tại đi 1 bước.",
+ "increment_description": "Tăng giá trị hiện tại lên 1 bước.",
+ "reset_description": "Đặt lại bộ đếm về giá trị ban đầu.",
+ "set_value_description": "Sets the value of a number.",
"check_configuration": "Check configuration",
"reload_all": "Reload all",
"reload_config_entry_description": "Reloads the specified config entry.",
@@ -3144,9 +3528,165 @@
"generic_toggle": "Bật/tắt chung",
"generic_turn_off": "Generic turn off",
"generic_turn_on": "Generic turn on",
- "entity_id_description": "Entity to reference in the logbook entry.",
"entities_to_update": "Entities to update",
"update_entity": "Update entity",
+ "notify_description": "Gửi tin nhắn thông báo đến các mục tiêu đã chọn.",
+ "data": "Dữ liệu",
+ "title_for_your_notification": "Tiêu đề thông báo của bạn.",
+ "title_of_the_notification": "Tiêu đề của thông báo.",
+ "send_a_persistent_notification": "Gửi thông báo liên tục",
+ "sends_a_notification_message": "Gửi tin nhắn thông báo.",
+ "your_notification_message": "Tin nhắn thông báo của bạn.",
+ "title_description": "Optional title of the notification.",
+ "send_a_notification_message": "Gửi tin nhắn thông báo",
+ "send_magic_packet": "Send magic packet",
+ "topic_to_listen_to": "Chủ đề để nghe.",
+ "export": "Xuất khẩu",
+ "publish_description": "Xuất bản một tin nhắn đến một chủ đề MQTT.",
+ "evaluate_payload": "Evaluate payload",
+ "the_payload_to_publish": "Phụ tải cần xuất bản.",
+ "payload": "Phụ tải",
+ "payload_template": "Bản mẫu phụ tải",
+ "qos": "QoS",
+ "retain": "Giữ lại",
+ "topic_to_publish_to": "Chủ đề để xuất bản.",
+ "publish": "Xuất bản",
+ "load_url_description": "Loads a URL on Fully Kiosk Browser.",
+ "url_to_load": "URL to load.",
+ "load_url": "Load URL",
+ "configuration_parameter_to_set": "Configuration parameter to set.",
+ "key": "Key",
+ "set_configuration": "Set Configuration",
+ "application_description": "Package name of the application to start.",
+ "application": "Application",
+ "start_application": "Start Application",
+ "battery_description": "Mức pin của thiết bị.",
+ "gps_coordinates": "Tọa độ GPS",
+ "gps_accuracy_description": "Độ chính xác của tọa độ GPS.",
+ "hostname_of_the_device": "Tên máy chủ của thiết bị.",
+ "hostname": "Tên máy chủ",
+ "mac_description": "Địa chỉ MAC của thiết bị.",
+ "see": "Nhìn thấy",
+ "device_description": "Device ID to send command to.",
+ "delete_command": "Delete command",
+ "alternative": "Alternative",
+ "timeout_description": "Timeout for the command to be learned.",
+ "learn_command": "Learn command",
+ "delay_seconds": "Delay seconds",
+ "hold_seconds": "Hold seconds",
+ "repeats": "Repeats",
+ "send_command": "Send command",
+ "sends_the_toggle_command": "Gửi lệnh bật/tắt.",
+ "turn_on_description": "Starts a new cleaning task.",
+ "get_weather_forecast": "Nhận dự báo thời tiết.",
+ "type_description": "Loại dự báo: hàng ngày, hàng giờ hoặc hai lần mỗi ngày.",
+ "forecast_type": "Loại dự báo",
+ "get_forecast": "Nhận dự báo",
+ "get_weather_forecasts": "Get weather forecasts.",
+ "get_forecasts": "Get forecasts",
+ "press_the_button_entity": "Nhấn thực thể nút.",
+ "enable_remote_access": "Enable remote access",
+ "disable_remote_access": "Disable remote access",
+ "create_description": "Shows a notification on the notifications panel.",
+ "notification_id": "Notification ID",
+ "dismiss_description": "Deletes a notification from the notifications panel.",
+ "notification_id_description": "ID of the notification to be deleted.",
+ "dismiss_all_description": "Deletes all notifications from the notifications panel.",
+ "locate_description": "Locates the vacuum cleaner robot.",
+ "pauses_the_cleaning_task": "Pauses the cleaning task.",
+ "send_command_description": "Sends a command to the vacuum cleaner.",
+ "parameters": "Parameters",
+ "set_fan_speed": "Set fan speed",
+ "start_description": "Starts or resumes the cleaning task.",
+ "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
+ "stop_description": "Stops the current cleaning task.",
+ "toggle_description": "Bật/tắt trình phát đa phương tiện.",
+ "play_chime_description": "Plays a ringtone on a Reolink Chime.",
+ "target_chime": "Target chime",
+ "ringtone_to_play": "Ringtone to play.",
+ "ringtone": "Ringtone",
+ "play_chime": "Play chime",
+ "ptz_move_description": "Moves the camera with a specific speed.",
+ "ptz_move_speed": "PTZ move speed.",
+ "ptz_move": "PTZ move",
+ "disables_the_motion_detection": "Disables the motion detection.",
+ "disable_motion_detection": "Disable motion detection",
+ "enables_the_motion_detection": "Enables the motion detection.",
+ "enable_motion_detection": "Enable motion detection",
+ "format_description": "Stream format supported by the media player.",
+ "format": "Format",
+ "media_player_description": "Media players to stream to.",
+ "play_stream": "Play stream",
+ "filename_description": "Full path to filename. Must be mp4.",
+ "filename": "Filename",
+ "lookback": "Lookback",
+ "snapshot_description": "Takes a snapshot from a camera.",
+ "full_path_to_filename": "Full path to filename.",
+ "take_snapshot": "Take snapshot",
+ "turns_off_the_camera": "Turns off the camera.",
+ "turns_on_the_camera": "Turns on the camera.",
+ "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
+ "clear_tts_cache": "Clear TTS cache",
+ "cache": "Cache",
+ "language_description": "Language of text. Defaults to server language.",
+ "options_description": "A dictionary containing integration-specific options.",
+ "say_a_tts_message": "Say a TTS message",
+ "media_player_entity": "Media player entity",
+ "speak": "Speak",
+ "send_text_command": "Send text command",
+ "the_target_value": "Giá trị mục tiêu.",
+ "removes_a_group": "Xóa một nhóm",
+ "object_id": "ID đối tượng",
+ "creates_updates_a_group": "Tạo/Cập nhật nhóm.",
+ "icon_description": "Tên biểu tượng của nhóm",
+ "name_of_the_group": "Tên của nhóm.",
+ "locks_a_lock": "Khóa ổ khóa.",
+ "code_description": "Mã để bật hệ thống báo động.",
+ "opens_a_lock": "Mở ổ khóa.",
+ "unlocks_a_lock": "Mở khóa ổ khóa.",
+ "announce_description": "Để vệ tinh thông báo một thông điệp.",
+ "media_id": "ID phương tiện",
+ "the_message_to_announce": "Thông điệp cần thông báo.",
+ "announce": "Announce",
+ "reloads_the_automation_configuration": "Reloads the automation configuration.",
+ "trigger_description": "Triggers the actions of an automation.",
+ "skip_conditions": "Skip conditions",
+ "disables_an_automation": "Disables an automation.",
+ "stops_currently_running_actions": "Stops currently running actions.",
+ "stop_actions": "Stop actions",
+ "enables_an_automation": "Enables an automation.",
+ "deletes_all_log_entries": "Deletes all log entries.",
+ "write_log_entry": "Write log entry.",
+ "log_level": "Log level.",
+ "message_to_log": "Message to log.",
+ "write": "Write",
+ "dashboard_path": "Dashboard path",
+ "view_path": "View path",
+ "show_dashboard_view": "Show dashboard view",
+ "process_description": "Launches a conversation from a transcribed text.",
+ "agent": "Agent",
+ "conversation_id": "Conversation ID",
+ "transcribed_text_input": "Transcribed text input.",
+ "process": "Process",
+ "reloads_the_intent_configuration": "Reloads the intent configuration.",
+ "conversation_agent_to_reload": "Conversation agent to reload.",
+ "closes_a_cover": "Closes a cover.",
+ "close_cover_tilt_description": "Tilts a cover to close.",
+ "close_tilt": "Close tilt",
+ "opens_a_cover": "Opens a cover.",
+ "tilts_a_cover_open": "Tilts a cover open.",
+ "open_tilt": "Open tilt",
+ "set_cover_position_description": "Moves a cover to a specific position.",
+ "target_position": "Vị trí mục tiêu.",
+ "set_position": "Đặt vị trí",
+ "target_tilt_positition": "Target tilt positition.",
+ "set_tilt_position": "Set tilt position",
+ "stops_the_cover_movement": "Stops the cover movement.",
+ "stop_cover_tilt_description": "Stops a tilting cover movement.",
+ "stop_tilt": "Stop tilt",
+ "toggles_a_cover_open_closed": "Mở/đóng màn.",
+ "toggle_cover_tilt_description": "Mở/đóng màn nghiêng.",
+ "toggle_tilt": "Mở/đóng màn nghiêng",
"turns_auxiliary_heater_on_off": "Bật/tắt bộ sưởi phụ.",
"aux_heat_description": "Giá trị mới của bộ sưởi phụ.",
"auxiliary_heating": "Sưởi phụ trợ",
@@ -3160,7 +3700,6 @@
"hvac_operation_mode": "Chế độ hoạt động điều hòa.",
"set_hvac_mode": "Đặt chế độ điều hòa",
"sets_preset_mode": "Đặt chế độ cài sẵn.",
- "set_preset_mode": "Đặt chế độ cài sẵn",
"set_swing_horizontal_mode_description": "Sets horizontal swing operation mode.",
"horizontal_swing_operation_mode": "Horizontal swing operation mode.",
"set_horizontal_swing_mode": "Set horizontal swing mode",
@@ -3174,16 +3713,14 @@
"set_target_temperature": "Đặt nhiệt độ mục tiêu",
"turns_climate_device_off": "Tắt thiết bị điều hòa.",
"turns_climate_device_on": "Bật thiết bị điều hòa.",
- "decrement_description": "Decrements the current value by 1 step.",
- "increment_description": "Increments the current value by 1 step.",
- "reset_description": "Resets a counter to its initial value.",
- "set_value_description": "Sets the value of a number.",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "Value for the configuration parameter.",
+ "apply_filter": "Apply filter",
+ "days_to_keep": "Days to keep",
+ "repack": "Repack",
+ "purge": "Purge",
+ "domains_to_remove": "Domains to remove",
+ "entity_globs_to_remove": "Entity globs to remove",
+ "entities_to_remove": "Entities to remove",
+ "purge_entities": "Purge entities",
"clear_playlist_description": "Removes all items from the playlist.",
"clear_playlist": "Clear playlist",
"selects_the_next_track": "Selects the next track.",
@@ -3194,14 +3731,12 @@
"seek": "Seek",
"stops_playing": "Stops playing.",
"starts_playing_specified_media": "Starts playing specified media.",
- "announce": "Announce",
"enqueue": "Enqueue",
"repeat_mode_to_set": "Repeat mode to set.",
"select_sound_mode_description": "Selects a specific sound mode.",
"select_sound_mode": "Select sound mode",
"select_source": "Select source",
"shuffle_description": "Whether or not shuffle mode is enabled.",
- "toggle_description": "Toggles the vacuum cleaner on/off.",
"unjoin": "Unjoin",
"turns_down_the_volume": "Turns down the volume.",
"turn_down_volume": "Turn down volume",
@@ -3209,94 +3744,9 @@
"is_volume_muted_description": "Defines whether or not it is muted.",
"mute_unmute_volume": "Mute/unmute volume",
"sets_the_volume_level": "Sets the volume level.",
- "level": "Level",
"set_volume": "Set volume",
"turns_up_the_volume": "Turns up the volume.",
"turn_up_volume": "Turn up volume",
- "battery_description": "Battery level of the device.",
- "gps_coordinates": "GPS coordinates",
- "gps_accuracy_description": "Accuracy of the GPS coordinates.",
- "hostname_of_the_device": "Hostname of the device.",
- "hostname": "Hostname",
- "mac_description": "MAC address of the device.",
- "see": "See",
- "brightness_value": "Giá trị độ sáng",
- "a_human_readable_color_name": "Tên màu mà con người có thể đọc được.",
- "color_name": "Tên màu",
- "color_temperature_in_mireds": "Nhiệt độ màu theo đơn vị mired.",
- "light_effect": "Hiệu ứng ánh sáng.",
- "hue_sat_color": "Màu Sắc độ/Độ bão hòa",
- "color_temperature_in_kelvin": "Nhiệt độ màu tính bằng Kelvin.",
- "profile_description": "Tên của hồ sơ ánh sáng cần sử dụng.",
- "rgbw_color": "Màu RGBW",
- "rgbww_color": "Màu RGBWW",
- "white_description": "Đặt đèn ở chế độ trắng.",
- "xy_color": "Màu XY",
- "brightness_step_description": "Thay đổi độ sáng theo một lượng nhất định.",
- "brightness_step_value": "Giá trị bước sáng",
- "brightness_step_pct_description": "Thay đổi độ sáng theo phần trăm.",
- "brightness_step": "Bước sáng",
- "add_event_description": "Adds a new calendar event.",
- "calendar_id_description": "The id of the calendar you want.",
- "calendar_id": "Calendar ID",
- "description_description": "The description of the event. Optional.",
- "summary_description": "Acts as the title of the event.",
- "location_description": "The location of the event.",
- "create_event": "Create event",
- "apply_filter": "Apply filter",
- "days_to_keep": "Days to keep",
- "repack": "Repack",
- "purge": "Purge",
- "domains_to_remove": "Domains to remove",
- "entity_globs_to_remove": "Entity globs to remove",
- "entities_to_remove": "Entities to remove",
- "purge_entities": "Purge entities",
- "dump_log_objects": "Dump log objects",
- "log_current_tasks_description": "Logs all the current asyncio tasks.",
- "log_current_asyncio_tasks": "Log current asyncio tasks",
- "log_event_loop_scheduled": "Log event loop scheduled",
- "log_thread_frames_description": "Logs the current frames for all threads.",
- "log_thread_frames": "Log thread frames",
- "lru_stats_description": "Logs the stats of all lru caches.",
- "log_lru_stats": "Log LRU stats",
- "starts_the_memory_profiler": "Starts the Memory Profiler.",
- "seconds": "Seconds",
- "memory": "Memory",
- "set_asyncio_debug_description": "Enable or disable asyncio debug.",
- "enabled_description": "Whether to enable or disable asyncio debug.",
- "set_asyncio_debug": "Set asyncio debug",
- "starts_the_profiler": "Starts the Profiler.",
- "max_objects_description": "The maximum number of objects to log.",
- "maximum_objects": "Maximum objects",
- "scan_interval_description": "The number of seconds between logging objects.",
- "scan_interval": "Scan interval",
- "start_logging_object_sources": "Start logging object sources",
- "start_log_objects_description": "Starts logging growth of objects in memory.",
- "start_logging_objects": "Start logging objects",
- "stop_logging_object_sources": "Stop logging object sources",
- "stop_log_objects_description": "Stops logging growth of objects in memory.",
- "stop_logging_objects": "Stop logging objects",
- "reload_themes_description": "Reloads themes from the YAML-configuration.",
- "reload_themes": "Reload themes",
- "name_of_a_theme": "Name of a theme.",
- "set_the_default_theme": "Set the default theme",
- "clear_tts_cache": "Clear TTS cache",
- "cache": "Cache",
- "language_description": "Language of text. Defaults to server language.",
- "options_description": "A dictionary containing integration-specific options.",
- "say_a_tts_message": "Say a TTS message",
- "media_player_entity_id_description": "Media players to play the message.",
- "media_player_entity": "Media player entity",
- "speak": "Speak",
- "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.",
- "toggles_the_siren_on_off": "Bật/tắt còi báo động.",
- "turns_the_siren_off": "Tắt còi báo động.",
- "turns_the_siren_on": "Bật còi báo động.",
- "toggles_the_helper_on_off": "Bật/tắt biến trợ giúp.",
- "turns_off_the_helper": "Tắt biến trợ giúp.",
- "turns_on_the_helper": "Bật biến trợ giúp.",
- "pauses_the_mowing_task": "Pauses the mowing task.",
- "starts_the_mowing_task": "Starts the mowing task.",
"restarts_an_add_on": "Khởi động lại tiện ích bổ sung.",
"the_add_on_to_restart": "Tiện ích bổ sung cần khởi động lại.",
"restart_add_on": "Khởi động lại tiện ích bổ sung",
@@ -3332,117 +3782,23 @@
"restore_partial_description": "Khôi phục từ bản sao lưu một phần.",
"restores_home_assistant": "Khôi phục Home Assistant.",
"restore_from_partial_backup": "Khôi phục từ bản sao lưu một phần",
- "decrease_speed_description": "Decreases the speed of a fan.",
- "decrease_speed": "Decrease speed",
- "increase_speed_description": "Increases the speed of a fan.",
- "increase_speed": "Increase speed",
- "oscillate_description": "Controls the oscillation of a fan.",
- "turns_oscillation_on_off": "Turns oscillation on/off.",
- "set_direction_description": "Sets a fan's rotation direction.",
- "direction_description": "Direction of the fan rotation.",
- "set_direction": "Set direction",
- "set_percentage_description": "Sets the speed of a fan.",
- "speed_of_the_fan": "Speed of the fan.",
- "percentage": "Percentage",
- "set_speed": "Set speed",
- "sets_preset_fan_mode": "Sets preset fan mode.",
- "preset_fan_mode": "Chế độ cài sẵn.",
- "toggles_a_fan_on_off": "Bật/tắt quạt.",
- "turns_fan_off": "Turns fan off.",
- "turns_fan_on": "Turns fan on.",
- "get_weather_forecast": "Nhận dự báo thời tiết.",
- "type_description": "Loại dự báo: hàng ngày, hàng giờ hoặc hai lần mỗi ngày.",
- "forecast_type": "Loại dự báo",
- "get_forecast": "Nhận dự báo",
- "get_weather_forecasts": "Get weather forecasts.",
- "get_forecasts": "Get forecasts",
- "clear_skipped_update": "Xóa bản cập nhật đã bỏ qua",
- "install_update": "Cài đặt bản cập nhật",
- "skip_description": "Đánh dấu cập nhật hiện có là đã bỏ qua.",
- "skip_update": "Bỏ qua cập nhật",
- "code_description": "Mã dùng để mở khóa ổ khóa.",
- "arm_with_custom_bypass": "Bảo vệ và cho phép bỏ qua tùy chỉnh",
- "alarm_arm_vacation_description": "Đặt báo động thành: _đã bật bảo vệ cho kỳ nghỉ_.",
- "disarms_the_alarm": "Tắt báo động.",
- "trigger_the_alarm_manually": "Trigger the alarm manually.",
- "trigger": "Trigger",
- "selects_the_first_option": "Selects the first option.",
- "first": "First",
- "selects_the_last_option": "Selects the last option.",
+ "selects_the_first_option": "Chọn tùy chọn đầu tiên.",
+ "first": "Đầu tiên",
+ "selects_the_last_option": "Chọn tùy chọn cuối cùng.",
"selects_the_next_option": "Selects the next option.",
- "selects_an_option": "Selects an option.",
- "option_to_be_selected": "Option to be selected.",
- "selects_the_previous_option": "Selects the previous option.",
- "disables_the_motion_detection": "Disables the motion detection.",
- "disable_motion_detection": "Disable motion detection",
- "enables_the_motion_detection": "Enables the motion detection.",
- "enable_motion_detection": "Enable motion detection",
- "format_description": "Stream format supported by the media player.",
- "format": "Format",
- "media_player_description": "Media players to stream to.",
- "play_stream": "Play stream",
- "filename_description": "Full path to filename. Must be mp4.",
- "filename": "Filename",
- "lookback": "Lookback",
- "snapshot_description": "Takes a snapshot from a camera.",
- "full_path_to_filename": "Full path to filename.",
- "take_snapshot": "Take snapshot",
- "turns_off_the_camera": "Turns off the camera.",
- "turns_on_the_camera": "Turns on the camera.",
- "press_the_button_entity": "Press the button entity.",
- "start_date_description": "The date the all-day event should start.",
- "get_events": "Get events",
- "select_the_next_option": "Select the next option.",
- "sets_the_options": "Sets the options.",
- "list_of_options": "List of options.",
- "set_options": "Set options",
- "closes_a_cover": "Closes a cover.",
- "close_cover_tilt_description": "Tilts a cover to close.",
- "close_tilt": "Close tilt",
- "opens_a_cover": "Opens a cover.",
- "tilts_a_cover_open": "Tilts a cover open.",
- "open_tilt": "Open tilt",
- "set_cover_position_description": "Moves a cover to a specific position.",
- "target_tilt_positition": "Target tilt positition.",
- "set_tilt_position": "Set tilt position",
- "stops_the_cover_movement": "Stops the cover movement.",
- "stop_cover_tilt_description": "Stops a tilting cover movement.",
- "stop_tilt": "Stop tilt",
- "toggles_a_cover_open_closed": "Mở/đóng màn.",
- "toggle_cover_tilt_description": "Mở/đóng màn nghiêng.",
- "toggle_tilt": "Mở/đóng màn nghiêng",
- "request_sync_description": "Sends a request_sync command to Google.",
- "agent_user_id": "Agent user ID",
- "request_sync": "Request sync",
- "log_description": "Creates a custom entry in the logbook.",
- "message_description": "Message body of the notification.",
- "log": "Log",
- "enter_your_text": "Enter your text.",
- "set_value": "Set value",
- "topic_to_listen_to": "Chủ đề để nghe.",
- "export": "Xuất khẩu",
- "publish_description": "Xuất bản một tin nhắn đến một chủ đề MQTT.",
- "evaluate_payload": "Evaluate payload",
- "the_payload_to_publish": "Phụ tải cần xuất bản.",
- "payload": "Phụ tải",
- "payload_template": "Bản mẫu phụ tải",
- "qos": "QoS",
- "retain": "Giữ lại",
- "topic_to_publish_to": "Chủ đề để xuất bản.",
- "publish": "Xuất bản",
- "reloads_the_automation_configuration": "Reloads the automation configuration.",
- "trigger_description": "Triggers the actions of an automation.",
- "skip_conditions": "Skip conditions",
- "disables_an_automation": "Disables an automation.",
- "stops_currently_running_actions": "Stops currently running actions.",
- "stop_actions": "Stop actions",
- "enables_an_automation": "Enables an automation.",
- "enable_remote_access": "Enable remote access",
- "disable_remote_access": "Disable remote access",
- "set_default_level_description": "Sets the default log level for integrations.",
- "level_description": "Default severity level for all integrations.",
- "set_default_level": "Set default level",
- "set_level": "Set level",
+ "selects_an_option": "Chọn một tùy chọn.",
+ "option_to_be_selected": "Tùy chọn được chọn.",
+ "selects_the_previous_option": "Chọn tùy chọn trước đó.",
+ "add_event_description": "Adds a new calendar event.",
+ "location_description": "The location of the event. Optional.",
+ "start_date_description": "Ngày bắt đầu sự kiện kéo dài cả ngày.",
+ "create_event": "Create event",
+ "get_events": "Nhận sự kiện",
+ "closes_a_valve": "Đóng van.",
+ "opens_a_valve": "Mở van.",
+ "set_valve_position_description": "Di chuyển van đến vị trí cụ thể.",
+ "stops_the_valve_movement": "Dừng chuyển động của van.",
+ "toggles_a_valve_open_closed": "Đảo bật/tắt van.",
"bridge_identifier": "Bridge identifier",
"configuration_payload": "Configuration payload",
"entity_description": "Đại diện cho một điểm cuối thiết bị cụ thể trong deCONZ.",
@@ -3451,81 +3807,32 @@
"device_refresh_description": "Refreshes available devices from deCONZ.",
"device_refresh": "Device refresh",
"remove_orphaned_entries": "Remove orphaned entries",
- "locate_description": "Locates the vacuum cleaner robot.",
- "pauses_the_cleaning_task": "Pauses the cleaning task.",
- "send_command_description": "Sends a command to the vacuum cleaner.",
- "command_description": "Command(s) to send to Google Assistant.",
- "parameters": "Parameters",
- "set_fan_speed": "Set fan speed",
- "start_description": "Starts or resumes the cleaning task.",
- "start_pause_description": "Starts, pauses, or resumes the cleaning task.",
- "stop_description": "Stops the current cleaning task.",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "Bật/tắt công tắc.",
- "turns_a_switch_off": "Tắt công tắc.",
- "turns_a_switch_on": "Bật công tắc.",
+ "calendar_id_description": "The id of the calendar you want.",
+ "calendar_id": "Calendar ID",
+ "description_description": "The description of the event. Optional.",
+ "summary_description": "Acts as the title of the event.",
"extract_media_url_description": "Extract media URL from a service.",
"format_query": "Format query",
"url_description": "URL where the media can be found.",
"media_url": "Media URL",
"get_media_url": "Get Media URL",
"play_media_description": "Downloads file from given URL.",
- "notify_description": "Sends a notification message to selected targets.",
- "data": "Data",
- "title_for_your_notification": "Title for your notification.",
- "title_of_the_notification": "Title of the notification.",
- "send_a_persistent_notification": "Send a persistent notification",
- "sends_a_notification_message": "Sends a notification message.",
- "your_notification_message": "Your notification message.",
- "title_description": "Optional title of the notification.",
- "send_a_notification_message": "Gửi tin nhắn thông báo",
- "process_description": "Launches a conversation from a transcribed text.",
- "agent": "Agent",
- "conversation_id": "Conversation ID",
- "transcribed_text_input": "Transcribed text input.",
- "process": "Process",
- "reloads_the_intent_configuration": "Reloads the intent configuration.",
- "conversation_agent_to_reload": "Conversation agent to reload.",
- "play_chime_description": "Plays a ringtone on a Reolink Chime.",
- "target_chime": "Target chime",
- "ringtone_to_play": "Ringtone to play.",
- "ringtone": "Ringtone",
- "play_chime": "Play chime",
- "ptz_move_description": "Moves the camera with a specific speed.",
- "ptz_move_speed": "PTZ move speed.",
- "ptz_move": "PTZ move",
- "send_magic_packet": "Send magic packet",
- "send_text_command": "Send text command",
- "announce_description": "Let the satellite announce a message.",
- "media_id": "Media ID",
- "the_message_to_announce": "The message to announce.",
- "deletes_all_log_entries": "Deletes all log entries.",
- "write_log_entry": "Write log entry.",
- "log_level": "Log level.",
- "message_to_log": "Message to log.",
- "write": "Write",
- "locks_a_lock": "Khóa ổ khóa.",
- "opens_a_lock": "Mở ổ khóa.",
- "unlocks_a_lock": "Mở khóa ổ khóa.",
- "removes_a_group": "Xóa một nhóm",
- "object_id": "ID đối tượng",
- "creates_updates_a_group": "Creates/Updates a group.",
- "icon_description": "Tên biểu tượng của nhóm",
- "name_of_the_group": "Tên của nhóm.",
- "stops_a_running_script": "Stops a running script.",
- "create_description": "Shows a notification on the notifications panel.",
- "notification_id": "Notification ID",
- "dismiss_description": "Deletes a notification from the notifications panel.",
- "notification_id_description": "ID of the notification to be deleted.",
- "dismiss_all_description": "Deletes all notifications from the notifications panel.",
- "load_url_description": "Loads a URL on Fully Kiosk Browser.",
- "url_to_load": "URL to load.",
- "load_url": "Load URL",
- "configuration_parameter_to_set": "Configuration parameter to set.",
- "key": "Key",
- "set_configuration": "Set Configuration",
- "application_description": "Package name of the application to start.",
- "application": "Application",
- "start_application": "Start Application"
+ "select_the_next_option": "Chọn tùy chọn tiếp theo.",
+ "sets_the_options": "Đặt các tùy chọn.",
+ "list_of_options": "Danh sách các tùy chọn.",
+ "set_options": "Đặt tùy chọn",
+ "arm_with_custom_bypass": "Bảo vệ và cho phép bỏ qua tùy chỉnh",
+ "alarm_arm_vacation_description": "Đặt báo động thành: _đã bật bảo vệ cho kỳ nghỉ_.",
+ "disarms_the_alarm": "Tắt báo động.",
+ "trigger_the_alarm_manually": "Kích hoạt báo động theo cách thủ công.",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "Finishes a running timer earlier than scheduled.",
+ "duration_description": "Custom duration to restart the timer with.",
+ "toggles_a_switch_on_off": "Đảo bật/tắt công tắc.",
+ "turns_a_switch_off": "Tắt công tắc.",
+ "turns_a_switch_on": "Bật công tắc."
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/zh-Hans/zh-Hans.json b/packages/core/src/hooks/useLocale/locales/zh-Hans/zh-Hans.json
index 6e720d6c..b4469b75 100644
--- a/packages/core/src/hooks/useLocale/locales/zh-Hans/zh-Hans.json
+++ b/packages/core/src/hooks/useLocale/locales/zh-Hans/zh-Hans.json
@@ -34,7 +34,7 @@
"open": "打开",
"off": "关闭",
"toggle": "切换",
- "code": "密码",
+ "code": "代码",
"clear": "清除",
"arm": "警戒",
"arm_home": "在家布防",
@@ -50,7 +50,7 @@
"area_not_found": "未找到区域。",
"last_triggered": "上次触发",
"run_actions": "运行动作",
- "press": "按下",
+ "press": "按",
"image_not_available": "无图像",
"currently": "当前",
"on_off": "开/关",
@@ -65,8 +65,8 @@
"action_to_target": "{action}到目标",
"target": "目标",
"humidity_target": "湿度目标",
- "increment": "增加",
- "decrement": "减少",
+ "increment": "递增",
+ "decrement": "递减",
"reset": "重置",
"position": "位置",
"tilt_position": "倾斜位置",
@@ -133,7 +133,7 @@
"option": "选项",
"installing": "正在安装",
"installing_progress": "正在安装 ({progress}%)",
- "up_to_date": "最新",
+ "up_to_date": "已是最新",
"empty_value": "(空值)",
"start": "开始",
"end": "结束",
@@ -257,6 +257,7 @@
"learn_more_about_templating": "详细了解模板编程。",
"show_password": "显示密码",
"hide_password": "隐藏密码",
+ "ui_components_selectors_background_yaml_info": "背景图像通过 yaml 编辑器设置。",
"no_logbook_events_found": "未找到日志事件。",
"triggered_by": "触发方式为",
"triggered_by_automation": "由自动化触发",
@@ -607,7 +608,7 @@
"weekday": "工作日",
"until": "直到",
"for": "持续",
- "in": "位于",
+ "in": "在未来",
"at": "在",
"or": "或者",
"last": "最后一个",
@@ -623,8 +624,9 @@
"line_line_column_column": "行:{line},列:{column}",
"last_changed": "上次变化",
"last_updated": "上次更新",
- "remaining_time": "剩余时间",
+ "time_left": "剩余时间",
"install_status": "安装状态",
+ "ui_components_multi_textfield_add_item": "添加{item}",
"safe_mode": "安全模式",
"all_yaml_configuration": "所有 YAML 配置",
"domain": "域",
@@ -722,7 +724,7 @@
"ui_dialogs_more_info_control_update_create_backup": "在更新前创建备份",
"update_instructions": "更新说明",
"current_activity": "当前活动",
- "status": "状况",
+ "status": "状态 2",
"vacuum_cleaner_commands": "扫地机指令:",
"fan_speed": "风扇速度",
"clean_spot": "清扫点",
@@ -755,7 +757,7 @@
"default_code": "默认代码",
"editor_default_code_error": "代码格式不匹配",
"entity_id": "实体 ID",
- "unit_of_measurement": "度量单位",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "降水量单位",
"display_precision": "显示精度",
"default_value": "默认({value})",
@@ -775,7 +777,7 @@
"cold": "过冷",
"connectivity": "连通性",
"gas": "燃气",
- "hot": "过热",
+ "heat": "制热",
"light": "灯光",
"moisture": "潮度",
"motion": "运动",
@@ -834,7 +836,7 @@
"restart_home_assistant": "确认重新启动 Home Assistant?",
"advanced_options": "高级选项",
"quick_reload": "快速重载",
- "reload_description": "重新加载所有可用的脚本。",
+ "reload_description": "从 YAML 配置重新加载计时器。",
"reloading_configuration": "重新加载配置",
"failed_to_reload_configuration": "重新加载配置失败",
"restart_description": "中断所有运行中的自动化和脚本。",
@@ -860,9 +862,11 @@
"min_length": "最小长度",
"max_length": "最大长度",
"display_mode": "显示模式",
+ "password": "密码",
"regex_pattern": "正则表达式模式",
"used_for_client_side_validation": "用于客户端验证",
- "maximum": "最大值",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"box": "输入框",
"slider": "滑动条",
"step": "步长",
@@ -880,7 +884,7 @@
"system_options_for_integration": "{integration} 系统选项",
"enable_newly_added_entities": "启用新增实体",
"enable_polling_for_changes": "启用轮询更新",
- "reconfiguring_device": "重新配置设备",
+ "reconfigure_device": "重新配置设备",
"configuring": "正在配置",
"start_reconfiguration": "开始重新配置",
"device_reconfiguration_complete": "设备重新配置完成。",
@@ -1179,7 +1183,7 @@
"ui_panel_lovelace_editor_edit_view_type_helper_sections": "您无法将视图更改为可使用“部件”的视图类型,因为尚不支持迁移。如果您想尝试使用“部件”视图,请使用新视图从头开始。",
"card_configuration": "卡片配置",
"type_card_configuration": "{type} 卡片配置",
- "edit_card_pick_card": "您想添加哪张卡片?",
+ "edit_card_pick_card": "添加到仪表板",
"toggle_editor": "切换编辑器",
"you_have_unsaved_changes": "有更改尚未保存",
"edit_card_confirm_cancel": "确实要取消吗?",
@@ -1328,6 +1332,7 @@
"days_to_show": "要显示的天数",
"icon_height": "图标高度",
"image_path": "图像路径",
+ "maximum": "最大值",
"manual": "手动",
"paste_from_clipboard": "从剪贴板粘贴",
"generic_paste_description": "从剪贴板粘贴{type}徽章",
@@ -1377,6 +1382,10 @@
"plant_status": "植物状态",
"sensor": "传感器",
"hide_completed_items": "隐藏已完成项目",
+ "ui_panel_lovelace_editor_card_todo_list_display_order": "显示顺序",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc": "按字母顺序 (Z-A)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc": "到期日(近-远)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc": "到期日(远-近)",
"thermostat": "恒温器",
"thermostat_show_current_as_primary": "将当前温度显示为主要信息",
"tile": "磁贴",
@@ -1481,140 +1490,120 @@
"now": "现在",
"compare_data": "比较数据",
"reload_ui": "重新加载用户界面",
- "input_datetime": "输入日期时间值",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "计时器",
- "local_calendar": "本地日历",
- "intent": "Intent",
- "device_tracker": "设备跟踪器",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "输入布尔值",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
- "fan": "风扇",
- "weather": "天气",
- "camera": "摄像头",
- "schedule": "计划表(schedule)",
- "mqtt": "MQTT",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "移动应用",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "诊断",
+ "filesize": "文件大小",
+ "group": "群组",
+ "binary_sensor": "二元传感器",
+ "ffmpeg": "FFmpeg",
"deconz": "deCONZ",
- "go_rtc": "go2rtc",
- "android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "对话(conversation)",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "输入文本值",
- "valve": "阀门",
+ "google_calendar": "Google Calendar",
+ "input_select": "输入选择表",
+ "device_automation": "Device Automation",
+ "input_button": "输入按钮",
+ "profiler": "Profiler",
"fitbit": "Fitbit",
+ "fan": "送风",
+ "scene": "Scene",
+ "schedule": "计划表(schedule)",
"home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "空调",
- "binary_sensor": "二元传感器",
- "broadlink": "Broadlink",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
+ "mqtt": "MQTT",
+ "repairs": "Repairs",
+ "weather": "天气",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
+ "android_tv_remote": "Android TV Remote",
+ "assist_satellite": "语音助手卫星",
+ "system_log": "System Log",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "阀门",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "本地日历",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "警报器",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "割草机",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "auth": "Auth",
- "event": "事件",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "设备跟踪器",
+ "remote": "遥控",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
- "switch": "开关",
+ "persistent_notification": "持久通知",
+ "vacuum": "扫地机",
+ "reolink": "Reolink",
+ "camera": "摄像头",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "持久通知",
- "trace": "Trace",
- "remote": "遥控",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "计数器",
- "filesize": "文件大小",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "输入数值",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "树莓派电源检查器",
+ "conversation": "对话(conversation)",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "空调",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "输入布尔值",
- "lawn_mower": "割草机",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "event": "事件",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "警报控制面板",
- "input_select": "输入选择表",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "移动应用",
+ "timer": "计时器",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "switch": "开关",
+ "input_datetime": "输入日期时间值",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "计数器",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "蓝牙",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "应用程序凭据",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "群组",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "诊断",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "输入文本值",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "输入数值",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "应用程序凭据",
- "siren": "警报器",
- "bluetooth": "蓝牙",
- "input_button": "输入按钮",
- "vacuum": "扫地机",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "树莓派电源检查器",
- "assist_satellite": "语音助手卫星",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "活动卡路里",
- "awakenings_count": "觉醒计数",
- "battery_level": "电池电量",
- "bmi": "体重指数",
- "body_fat": "体脂",
- "calories": "卡路里",
- "calories_bmr": "卡路里 基础代谢率",
- "calories_in": "卡路里 吸收",
- "floors": "楼层数",
- "minutes_after_wakeup": "醒后分钟数",
- "minutes_fairly_active": "非常活动分钟数",
- "minutes_lightly_active": "轻度活跃分钟数",
- "minutes_sedentary": "久坐分钟数",
- "minutes_very_active": "非常活跃分钟数",
- "resting_heart_rate": "静息心率",
- "sleep_efficiency": "睡眠效率",
- "sleep_minutes_asleep": "沉睡分钟数",
- "sleep_minutes_awake": "清醒分钟数",
- "sleep_minutes_to_fall_asleep_name": "入睡分钟数",
- "sleep_start_time": "睡眠开始时间",
- "sleep_time_in_bed": "床上睡眠时间",
- "steps": "步骤",
"battery_low": "电池电量低",
"cloud_connection": "云连接",
"humidity_warning": "湿度警告",
+ "hot": "过热",
"temperature_warning": "温度警告",
- "update_available": "可用更新",
+ "update_available": "有可用更新",
"dry": "除湿",
"wet": "潮湿",
"pan_left": "向左平移",
@@ -1636,6 +1625,7 @@
"alarm_source": "报警源",
"auto_off_at": "自动关闭于",
"available_firmware_version": "可用固件版本",
+ "battery_level": "电池电量",
"this_month_s_consumption": "本月消耗",
"today_s_consumption": "今日消耗",
"total_consumption": "总消耗量",
@@ -1653,7 +1643,7 @@
"auto_off_enabled": "已启用自动关闭",
"auto_update_enabled": "已启用自动更新",
"baby_cry_detection": "婴儿哭声检测",
- "child_lock": "童锁",
+ "child_lock": "儿童锁",
"fan_sleep_mode": "风扇睡眠模式",
"led": "LED",
"motion_detection": "运动侦测",
@@ -1661,30 +1651,16 @@
"motion_sensor": "运动传感器",
"smooth_transitions": "平滑转换",
"tamper_detection": "篡改检测",
- "next_dawn": "下个清晨",
- "next_dusk": "下个黄昏",
- "next_midnight": "下个午夜",
- "next_noon": "下个正午",
- "next_rising": "下次日出",
- "next_setting": "下次日落",
- "solar_azimuth": "太阳方位角",
- "solar_elevation": "太阳高度角",
- "solar_rising": "太阳正在升起",
- "day_of_week": "周几",
- "illuminance": "照度",
- "noise": "噪音",
- "overload": "超载",
- "working_location": "工作地点",
- "created": "已创建",
- "size": "大小",
- "size_in_bytes": "大小(以字节为单位)",
- "compressor_energy_consumption": "压缩机能耗",
- "compressor_estimated_power_consumption": "压缩机估计功耗",
- "compressor_frequency": "压缩机频率",
- "cool_energy_consumption": "制冷能耗",
- "heat_energy_consumption": "制热消耗",
- "inside_temperature": "内部温度",
- "outside_temperature": "外部温度",
+ "calibration": "校准",
+ "auto_lock_paused": "自动锁定已暂停",
+ "timeout": "超时",
+ "unclosed_alarm": "未关闭的警报",
+ "unlocked_alarm": "未锁警报",
+ "bluetooth_signal": "蓝牙信号",
+ "light_level": "灯光级别",
+ "wi_fi_signal": "无线信号",
+ "momentary": "短暂",
+ "pull_retract": "拉/缩",
"process_process": "进程 {process}",
"disk_free_mount_point": "可用磁盘 {mount_point}",
"disk_use_mount_point": "已用磁盘 {mount_point}",
@@ -1706,31 +1682,74 @@
"swap_usage": "虚拟内存用量",
"network_throughput_in_interface": "网络吞吐量 - 输入 {interface}",
"network_throughput_out_interface": "网络吞吐量 - 输出 {interface}",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "语音助手进行中",
- "preferred": "首选",
- "finished_speaking_detection": "讲话完毕检测",
- "aggressive": "积极",
- "relaxed": "轻松",
- "os_agent_version": "OS Agent 版本",
- "apparmor_version": "Apparmor 版本",
- "cpu_percent": "CPU 百分比",
- "disk_free": "可用空间",
- "disk_total": "磁盘总容量",
- "disk_used": "已使用空间",
- "memory_percent": "内存百分比",
- "version": "版本",
- "newest_version": "最新版本",
+ "day_of_week": "周几",
+ "illuminance": "照度",
+ "noise": "噪音",
+ "overload": "超载",
+ "activity_calories": "活动卡路里",
+ "awakenings_count": "觉醒计数",
+ "bmi": "体重指数",
+ "body_fat": "体脂",
+ "calories": "卡路里",
+ "calories_bmr": "卡路里 基础代谢率",
+ "calories_in": "卡路里 吸收",
+ "floors": "楼层数",
+ "minutes_after_wakeup": "醒后分钟数",
+ "minutes_fairly_active": "非常活动分钟数",
+ "minutes_lightly_active": "轻度活跃分钟数",
+ "minutes_sedentary": "久坐分钟数",
+ "minutes_very_active": "非常活跃分钟数",
+ "resting_heart_rate": "静息心率",
+ "sleep_efficiency": "睡眠效率",
+ "sleep_minutes_asleep": "沉睡分钟数",
+ "sleep_minutes_awake": "清醒分钟数",
+ "sleep_minutes_to_fall_asleep_name": "入睡分钟数",
+ "sleep_start_time": "睡眠开始时间",
+ "sleep_time_in_bed": "床上睡眠时间",
+ "steps": "步骤",
"synchronize_devices": "同步设备",
- "estimated_distance": "预计距离",
- "vendor": "供应商",
- "wake_word": "唤醒词",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "自动增益",
+ "ding": "叮",
+ "last_recording": "上次录制",
+ "intercom_unlock": "对讲解锁",
+ "doorbell_volume": "门铃音量",
"mic_volume": "麦克风音量",
- "noise_suppression_level": "降噪级别",
+ "voice_volume": "语音音量",
+ "last_activity": "上次活动",
+ "last_ding": "上次叮声",
+ "last_motion": "上次运动",
+ "wi_fi_signal_category": "Wi-Fi 信号类别",
+ "wi_fi_signal_strength": "Wi-Fi 信号强度",
+ "in_home_chime": "室内铃声",
+ "compressor_energy_consumption": "压缩机能耗",
+ "compressor_estimated_power_consumption": "压缩机估计功耗",
+ "compressor_frequency": "压缩机频率",
+ "cool_energy_consumption": "制冷能耗",
+ "heat_energy_consumption": "制热消耗",
+ "inside_temperature": "内部温度",
+ "outside_temperature": "外部温度",
+ "device_admin": "设备管理员",
+ "kiosk_mode": "资讯站模式",
+ "load_start_url": "加载起始 URL",
+ "restart_browser": "重启浏览器",
+ "restart_device": "重启设备",
+ "send_to_background": "发送到后台",
+ "bring_to_foreground": "带到前台",
+ "screenshot": "截屏",
+ "overlay_message": "叠加消息",
+ "screen_brightness": "屏幕亮度",
+ "screen_off_timer": "屏幕关闭计时器",
+ "screensaver_brightness": "屏保亮度",
+ "screensaver_timer": "屏幕保护计时器",
+ "current_page": "当前页面",
+ "foreground_app": "前台应用程序",
+ "internal_storage_free_space": "内部存储可用空间",
+ "internal_storage_total_space": "内部存储总空间",
+ "free_memory": "空闲内存",
+ "total_memory": "总内存",
+ "screen_orientation": "屏幕方向",
+ "kiosk_lock": "自助终端锁",
+ "maintenance_mode": "维护模式",
+ "screensaver": "屏幕保护程序",
"animal": "动物",
"detected": "已触发",
"animal_lens": "动物镜头 1",
@@ -1854,7 +1873,6 @@
"ptz_pan_position": "云台平移位置",
"ptz_tilt_position": "云台俯仰位置",
"sd_hdd_index_storage": "SD {hdd_index} 存储",
- "wi_fi_signal": "Wi-Fi信号",
"auto_focus": "自动对焦",
"auto_tracking": "自动跟踪",
"doorbell_button_sound": "门铃按钮声音",
@@ -1871,6 +1889,47 @@
"record": "录制",
"record_audio": "录制音频",
"siren_on_event": "事件发生时发送警报",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "已创建",
+ "size": "大小",
+ "size_in_bytes": "大小(以字节为单位)",
+ "assist_in_progress": "语音助手进行中",
+ "preferred": "首选",
+ "finished_speaking_detection": "讲话完毕检测",
+ "aggressive": "积极",
+ "relaxed": "轻松",
+ "wake_word": "唤醒词",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent 版本",
+ "apparmor_version": "Apparmor 版本",
+ "cpu_percent": "CPU 百分比",
+ "disk_free": "可用空间",
+ "disk_total": "磁盘总容量",
+ "disk_used": "已使用空间",
+ "memory_percent": "内存百分比",
+ "version": "版本",
+ "newest_version": "最新版本",
+ "auto_gain": "自动增益",
+ "noise_suppression_level": "降噪级别",
+ "bytes_received": "已接收字节数",
+ "server_country": "服务器国家/地区",
+ "server_id": "服务器标识符",
+ "server_name": "服务器名称",
+ "ping": "Ping",
+ "upload": "上传",
+ "bytes_sent": "已发送字节数",
+ "working_location": "工作地点",
+ "next_dawn": "下个清晨",
+ "next_dusk": "下个黄昏",
+ "next_midnight": "下个午夜",
+ "next_noon": "下个正午",
+ "next_rising": "下次日出",
+ "next_setting": "下次日落",
+ "solar_azimuth": "太阳方位角",
+ "solar_elevation": "太阳高度角",
+ "solar_rising": "太阳正在升起",
"heavy": "严重",
"mild": "轻微",
"button_down": "按钮向下",
@@ -1885,70 +1944,249 @@
"warm_up": "热身",
"not_completed": "未完成",
"checking": "正在检查",
- "ding": "叮",
- "last_recording": "上次录制",
- "intercom_unlock": "对讲解锁",
- "doorbell_volume": "门铃音量",
- "voice_volume": "语音音量",
- "last_activity": "上次活动",
- "last_ding": "上次叮声",
- "last_motion": "上次运动",
- "wi_fi_signal_category": "Wi-Fi 信号类别",
- "wi_fi_signal_strength": "Wi-Fi 信号强度",
- "in_home_chime": "室内铃声",
- "calibration": "校准",
- "auto_lock_paused": "自动锁定已暂停",
- "timeout": "超时",
- "unclosed_alarm": "未关闭的警报",
- "unlocked_alarm": "未锁警报",
- "bluetooth_signal": "蓝牙信号",
- "light_level": "灯光级别",
- "momentary": "短暂",
- "pull_retract": "拉/缩",
- "bytes_received": "已接收字节数",
- "server_country": "服务器国家/地区",
- "server_id": "服务器标识符",
- "server_name": "服务器名称",
- "ping": "Ping",
- "upload": "上传",
- "bytes_sent": "已发送字节数",
- "device_admin": "设备管理员",
- "kiosk_mode": "资讯站模式",
- "load_start_url": "加载起始 URL",
- "restart_browser": "重启浏览器",
- "restart_device": "重启设备",
- "send_to_background": "发送到后台",
- "bring_to_foreground": "带到前台",
- "screenshot": "截屏",
- "overlay_message": "叠加消息",
- "screen_brightness": "屏幕亮度",
- "screen_off_timer": "屏幕关闭计时器",
- "screensaver_brightness": "屏保亮度",
- "screensaver_timer": "屏幕保护计时器",
- "current_page": "当前页面",
- "foreground_app": "前台应用程序",
- "internal_storage_free_space": "内部存储可用空间",
- "internal_storage_total_space": "内部存储总空间",
- "free_memory": "空闲内存",
- "total_memory": "总内存",
- "screen_orientation": "屏幕方向",
- "kiosk_lock": "自助终端锁",
- "maintenance_mode": "维护模式",
- "screensaver": "屏幕保护程序",
- "last_scanned_by_device_id_name": "上次按设备标识符的扫描",
- "tag_id": "标签标识符",
- "managed_via_ui": "通过用户界面管理",
- "pattern": "图案",
- "minute": "分钟",
- "second": "秒",
- "timestamp": "时间戳",
- "stopped": "已停止",
+ "estimated_distance": "预计距离",
+ "vendor": "供应商",
+ "accelerometer": "加速度计",
+ "binary_input": "二元输入",
+ "calibrated": "已校准",
+ "consumer_connected": "消费者已连接",
+ "external_sensor": "外部传感器",
+ "frost_lock": "防霜冻锁",
+ "opened_by_hand": "手动打开",
+ "heat_required": "需加热",
+ "ias_zone": "IAS 区",
+ "linkage_alarm_state": "联动报警状态",
+ "mounting_mode_active": "安装模式激活",
+ "open_window_detection_status": "开窗检测状态",
+ "pre_heat_status": "预热状态",
+ "replace_filter": "替换滤芯",
+ "valve_alarm": "阀门报警",
+ "open_window_detection": "开窗检测",
+ "feed": "喂食",
+ "frost_lock_reset": "防霜冻锁复位",
+ "presence_status_reset": "人体存在状态重置",
+ "reset_summation_delivered": "重置总和已交付",
+ "self_test": "自检",
+ "keen_vent": "敏捷排放",
+ "fan_group": "风扇组",
+ "light_group": "灯组",
+ "door_lock": "门锁",
+ "ambient_sensor_correction": "环境传感器校正",
+ "approach_distance": "接近距离",
+ "automatic_switch_shutoff_timer": "自动开关关断计时器",
+ "away_preset_temperature": "离家预设温度",
+ "boost_amount": "提升量",
+ "button_delay": "按钮延迟",
+ "local_default_dimming_level": "本地默认调光级别",
+ "remote_default_dimming_level": "远程默认调光级别",
+ "default_move_rate": "默认移动速率",
+ "detection_delay": "检测延迟",
+ "maximum_range": "最大范围",
+ "minimum_range": "最小范围",
+ "detection_interval": "检测间隔",
+ "local_dimming_down_speed": "局部调光降速",
+ "remote_dimming_down_speed": "远程调低速度",
+ "local_dimming_up_speed": "本地调高速度",
+ "remote_dimming_up_speed": "远程调高速度",
+ "display_activity_timeout": "显示活动超时",
+ "display_brightness": "显示亮度",
+ "display_inactive_brightness": "显示非活动亮度",
+ "double_tap_down_level": "双击降低级别",
+ "double_tap_up_level": "双击上升级别",
+ "exercise_start_time": "练习开始时间",
+ "external_sensor_correction": "外部传感器校正",
+ "external_temperature_sensor": "外部温度传感器",
+ "fading_time": "衰落时间",
+ "fallback_timeout": "回退超时",
+ "filter_life_time": "滤芯使用寿命",
+ "fixed_load_demand": "固定负荷需求",
+ "frost_protection_temperature": "防霜温度",
+ "irrigation_cycles": "灌溉周期",
+ "irrigation_interval": "灌溉间隔",
+ "irrigation_target": "灌溉目标",
+ "led_color_when_off_name": "默认所有 LED 熄灭颜色",
+ "led_color_when_on_name": "默认所有 LED 亮起颜色",
+ "led_intensity_when_off_name": "默认所有 LED 熄灭强度",
+ "led_intensity_when_on_name": "默认所有 LED 亮起强度",
+ "load_level_indicator_timeout": "负载级别指示器超时",
+ "load_room_mean": "装载室平均值",
+ "local_temperature_offset": "局部温度偏移",
+ "max_heat_setpoint_limit": "最大热量设定点限制",
+ "maximum_load_dimming_level": "最大负载调光级别",
+ "min_heat_setpoint_limit": "最小热量设定点限制",
+ "minimum_load_dimming_level": "最小负载调光级别",
+ "off_led_intensity": "关闭 LED 强度",
+ "off_transition_time": "关灯渐变时间",
+ "on_led_intensity": "开启 LED 强度",
+ "on_level": "位于级别",
+ "on_off_transition_time": "开/关渐变时间",
+ "on_transition_time": "开灯渐变时间",
+ "open_window_detection_guard_period_name": "开窗检测保护期",
+ "open_window_detection_threshold": "开窗检测阈值",
+ "open_window_event_duration": "开窗事件时长",
+ "portion_weight": "份量重量",
+ "presence_detection_timeout": "人体存在检测超时",
+ "presence_sensitivity": "存在敏感度",
+ "fade_time": "淡入淡出时间",
+ "quick_start_time": "快速启动时间",
+ "ramp_rate_off_to_on_local_name": "本地爬升速率关闭至开启",
+ "ramp_rate_off_to_on_remote_name": "远程爬升速率关闭至开启",
+ "ramp_rate_on_to_off_local_name": "本地爬升速率开启至关闭",
+ "ramp_rate_on_to_off_remote_name": "远程爬升速率开启至关闭",
+ "regulation_setpoint_offset": "调节设定点偏移",
+ "regulator_set_point": "调节器设定点",
+ "serving_to_dispense": "用于分配",
+ "siren_time": "警笛时间",
+ "start_up_color_temperature": "启动色温",
+ "start_up_current_level": "启动电流级别",
+ "start_up_default_dimming_level": "启动默认调光级别",
+ "timer_duration": "计时器时长",
+ "timer_time_left": "定时器剩余时间",
+ "transmit_power": "发射功率",
+ "valve_closing_degree": "阀门关闭度",
+ "irrigation_time": "灌溉时间 2",
+ "valve_opening_degree": "阀门开启度",
+ "adaptation_run_command": "适配运行命令",
+ "backlight_mode": "背光模式",
+ "click_mode": "点击模式",
+ "control_type": "控制类型",
+ "decoupled_mode": "解耦模式(转无线开关)",
+ "default_siren_level": "默认警报级别",
+ "default_siren_tone": "默认警报铃声",
+ "default_strobe": "默认频闪",
+ "default_strobe_level": "默认频闪级别",
+ "detection_distance": "检测距离",
+ "detection_sensitivity": "检测灵敏度",
+ "exercise_day_of_week_name": "一周中的练习日",
+ "external_temperature_sensor_type": "外部温度传感器类型",
+ "external_trigger_mode": "外部触发方式",
+ "heat_transfer_medium": "传热介质",
+ "heating_emitter_type": "加热发射器类型",
+ "heating_fuel": "加热燃料",
+ "non_neutral_output": "非中性输出",
+ "irrigation_mode": "灌溉模式",
+ "keypad_lockout": "键盘锁定",
+ "dimming_mode": "调光模式",
+ "led_scaling_mode": "LED 缩放模式",
+ "local_temperature_source": "局部温度源",
+ "monitoring_mode": "监控模式",
+ "off_led_color": "关闭 LED 颜色",
+ "on_led_color": "开启 LED 颜色",
+ "operation_mode": "操作模式",
+ "output_mode": "输出模式",
+ "power_on_state": "通电后状态",
+ "regulator_period": "调节期",
+ "sensor_mode": "传感器模式",
+ "setpoint_response_time": "设定点响应时间",
+ "smart_fan_led_display_levels_name": "智能风扇 LED 显示级别",
+ "start_up_behavior": "启动行为",
+ "switch_mode": "开关模式",
+ "switch_type": "开关类型",
+ "thermostat_application": "温控器应用",
+ "thermostat_mode": "恒温器模式",
+ "valve_orientation": "阀门方向",
+ "viewing_direction": "观看方向",
+ "weather_delay": "天气延误",
+ "curtain_mode": "窗帘模式",
+ "ac_frequency": "交流频率",
+ "adaptation_run_status": "适配运行状态",
+ "in_progress": "进行中",
+ "run_successful": "运行成功",
+ "valve_characteristic_lost": "阀门特性丢失",
+ "analog_input": "模拟输入",
+ "control_status": "控制状态",
+ "device_run_time": "设备运行时间",
+ "device_temperature": "设备温度",
+ "target_distance": "目标距离",
+ "filter_run_time": "滤芯使用时间",
+ "formaldehyde_concentration": "甲醛浓度",
+ "hooks_state": "挂钩状态",
+ "hvac_action": "暖通空调动作",
+ "instantaneous_demand": "瞬时需求",
+ "irrigation_duration": "灌溉时长 1",
+ "last_irrigation_duration": "上次灌溉时长",
+ "irrigation_end_time": "灌溉结束时间",
+ "irrigation_start_time": "灌溉开始时间",
+ "last_feeding_size": "上次喂食尺寸",
+ "last_feeding_source": "上次喂食来源",
+ "last_illumination_state": "上次照明状态",
+ "last_valve_open_duration": "上次阀门开启时长",
+ "leaf_wetness": "叶面湿润度",
+ "load_estimate": "负荷估算",
+ "floor_temperature": "地板温度",
+ "lqi": "LQI",
+ "motion_distance": "运动距离",
+ "motor_stepcount": "电机步数",
+ "open_window_detected": "检测到窗户打开",
+ "overheat_protection": "过热保护",
+ "pi_heating_demand": "Pi 供暖需求",
+ "portions_dispensed_today": "今日分发部分",
+ "pre_heat_time": "预热时间",
+ "rssi": "RSSI",
+ "self_test_result": "自检结果",
+ "setpoint_change_source": "设定点更改源",
+ "smoke_density": "烟雾浓度",
+ "software_error": "软件错误",
+ "good": "良好",
+ "critical_low_battery": "电池电量严重不足",
+ "encoder_jammed": "编码器卡住",
+ "invalid_clock_information": "时钟信息无效",
+ "invalid_internal_communication": "内部通信无效",
+ "low_battery": "低电量",
+ "motor_error": "电机错误",
+ "non_volatile_memory_error": "非易失性存储器错误",
+ "radio_communication_error": "无线电通讯错误",
+ "side_pcb_sensor_error": "侧面 PCB 传感器错误",
+ "top_pcb_sensor_error": "顶部 PCB 传感器错误",
+ "unknown_hw_error": "未知硬件错误",
+ "soil_moisture": "土壤湿度",
+ "summation_delivered": "合计已交付",
+ "summation_received": "收到总计",
+ "tier_summation_delivered": "6 层合计已交付",
+ "timer_state": "计时器状态",
+ "weight_dispensed_today": "今天分配重量",
+ "window_covering_type": "窗帘类型",
+ "adaptation_run_enabled": "自适应运行已启用",
+ "aux_switch_scenes": "辅助切换场景",
+ "binding_off_to_on_sync_level_name": "绑定关闭同步级别",
+ "buzzer_manual_alarm": "蜂鸣器手动报警",
+ "buzzer_manual_mute": "蜂鸣器手动静音",
+ "detach_relay": "断开继电器",
+ "disable_clear_notifications_double_tap_name": "禁用配置 2 次点击以清除通知",
+ "disable_led": "禁用 LED",
+ "double_tap_down_enabled": "已启用双击下降",
+ "double_tap_up_enabled": "已启用双击上升",
+ "double_up_full_name": "双击 - 完全",
+ "enable_siren": "启用警笛",
+ "external_window_sensor": "外部窗口传感器",
+ "distance_switch": "距离开关",
+ "firmware_progress_led": "固件进度 LED",
+ "heartbeat_indicator": "心跳指示器",
+ "heat_available": "可加热",
+ "hooks_locked": "挂钩已锁定",
+ "invert_switch": "反转开关",
+ "inverted": "已反转",
+ "led_indicator": "LED 指示灯",
+ "linkage_alarm": "联动报警",
+ "local_protection": "局部保护",
+ "mounting_mode": "安装方式",
+ "only_led_mode": "仅 1 种 LED 模式",
+ "open_window": "打开窗口",
+ "power_outage_memory": "断电记忆",
+ "prioritize_external_temperature_sensor": "优先考虑外部温度传感器",
+ "relay_click_in_on_off_mode_name": "禁用继电器点击开关模式",
+ "smart_bulb_mode": "智能灯泡模式",
+ "smart_fan_mode": "智能风扇模式",
+ "led_trigger_indicator": "LED 触发指示灯",
+ "turbo_mode": "增强模式",
+ "use_internal_window_detection": "使用内部窗口检测",
+ "use_load_balancing": "使用负载平衡",
+ "valve_detection": "阀门检测",
+ "window_detection": "窗口检测",
+ "invert_window_detection": "反转窗口检测",
+ "available_tones": "可用警报声",
"device_trackers": "设备追踪器",
"gps_accuracy": "GPS 精度",
- "paused": "已暂停",
- "finishes_at": "完成于",
- "remaining": "剩余",
- "restore": "恢复",
"last_reset": "上次重置",
"possible_states": "可能的状态",
"state_class": "状态类",
@@ -1980,63 +2218,12 @@
"sound_pressure": "声压",
"speed": "速度",
"sulphur_dioxide": "二氧化硫",
+ "timestamp": "时间戳",
"vocs": "挥发性有机化合物",
"volume_flow_rate": "体积流量",
"stored_volume": "存储容量",
"weight": "重量",
- "cool": "制冷",
- "fan_only": "仅送风",
- "heat_cool": "制热/制冷",
- "aux_heat": "辅助加热",
- "current_humidity": "当前湿度",
- "current_temperature": "Current Temperature",
- "diffuse": "扩散",
- "top": "顶部",
- "current_action": "当前动作",
- "defrosting": "除霜",
- "heating": "供暖",
- "preheating": "预热",
- "max_target_humidity": "最大目标湿度",
- "max_target_temperature": "最高目标温度",
- "min_target_humidity": "最低目标湿度",
- "min_target_temperature": "最低目标温度",
- "boost": "强劲",
- "comfort": "舒适",
- "eco": "节能",
- "sleep": "睡眠",
- "both": "同时",
- "horizontal": "水平",
- "upper_target_temperature": "高目标温度",
- "lower_target_temperature": "低目标温度",
- "target_temperature_step": "目标温度步长",
- "not_charging": "未在充电",
- "no_light": "无光",
- "light_detected": "有光",
- "not_moving": "没有移动",
- "not_running": "未在运行",
- "above_horizon": "白天(日出至日落)",
- "below_horizon": "夜晚(日落至日出)",
- "buffering": "正在缓冲",
- "playing": "正在播放",
- "standby": "待机",
- "app_id": "应用 ID",
- "local_accessible_entity_picture": "本地可访问实体图片",
- "group_members": "组成员",
- "album_artist": "专辑艺术家",
- "content_id": "内容标识符",
- "content_type": "内容类型",
- "position_updated": "位置已更新",
- "series": "系列",
- "all": "全部",
- "one": "单曲播放",
- "available_sound_modes": "可用声音模式",
- "available_sources": "可用来源",
- "receiver": "接收器",
- "speaker": "扬声器",
- "tv": "TV",
- "bluetooth_le": "低功耗蓝牙",
- "gps": "GPS",
- "router": "路由器",
+ "managed_via_ui": "通过用户界面管理",
"color_mode": "Color Mode",
"brightness_only": "仅亮度",
"hs": "HS",
@@ -2052,17 +2239,35 @@
"minimum_color_temperature_kelvin": "最低色温(开尔文)",
"minimum_color_temperature_mireds": "最低色温(米德)",
"available_color_modes": "可用的颜色模式",
- "available_tones": "可用警报声",
"docked": "已停靠",
"mowing": "正在割草",
+ "paused": "已暂停",
"returning": "正在返回",
+ "pattern": "图案",
+ "running_automations": "运行自动化",
+ "max_running_scripts": "最大运行脚本数",
+ "parallel": "并行",
+ "queued": "排队",
+ "single": "单点",
+ "auto_update": "自动更新",
+ "installed_version": "安装版本",
+ "release_summary": "正式版摘要",
+ "release_url": "正式版网址",
+ "skipped_version": "跳过版本",
+ "firmware": "固件",
"speed_step": "速度步进",
"available_preset_modes": "可用的预设模式",
- "sunny": "晴",
- "cloudy": "阴",
- "exceptional": "特殊",
- "fog": "雾",
- "hail": "冰雹",
+ "minute": "分钟",
+ "second": "秒",
+ "next_event": "下个事件",
+ "bluetooth_le": "低功耗蓝牙",
+ "gps": "GPS",
+ "router": "路由器",
+ "sunny": "晴",
+ "cloudy": "阴",
+ "exceptional": "特殊",
+ "fog": "雾",
+ "hail": "冰雹",
"lightning": "雷电",
"lightning_rainy": "雷阵雨",
"partly_cloudy": "多云",
@@ -2078,20 +2283,9 @@
"uv_index": "紫外线指数",
"wind_bearing": "风向",
"wind_gust_speed": "阵风风速",
- "auto_update": "自动更新",
- "in_progress": "进行中",
- "installed_version": "安装版本",
- "release_summary": "正式版摘要",
- "release_url": "正式版网址",
- "skipped_version": "跳过版本",
- "firmware": "固件",
- "armed_custom_bypass": "已布防自定义旁路",
- "disarming": "正在撤防",
- "changed_by": "更改者",
- "code_for_arming": "布防代码",
- "not_required": "非必要项",
- "code_format": "代码格式",
"identify": "确认",
+ "cleaning": "正在清扫",
+ "returning_to_dock": "正在返回基座",
"recording": "录制中",
"streaming": "监控中",
"access_token": "访问令牌",
@@ -2100,91 +2294,116 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "型号",
+ "last_scanned_by_device_id_name": "上次按设备标识符的扫描",
+ "tag_id": "标签标识符",
+ "jammed": "卡住",
+ "changed_by": "更改者",
+ "code_format": "代码格式",
+ "members": "成员",
+ "listening": "监听中",
+ "processing": "处理中",
+ "responding": "回应中",
+ "id": "ID",
+ "max_running_automations": "最大运行自动化数",
+ "cool": "制冷",
+ "fan_only": "仅送风",
+ "heat_cool": "制热/制冷",
+ "aux_heat": "辅助加热",
+ "current_humidity": "当前湿度",
+ "current_temperature": "Current Temperature",
+ "diffuse": "扩散",
+ "top": "顶部",
+ "current_action": "当前动作",
+ "defrosting": "除霜",
+ "heating": "供暖",
+ "preheating": "预热",
+ "max_target_humidity": "最大目标湿度",
+ "max_target_temperature": "最高目标温度",
+ "min_target_humidity": "最低目标湿度",
+ "min_target_temperature": "最低目标温度",
+ "boost": "强劲",
+ "comfort": "舒适",
+ "eco": "节能",
+ "sleep": "睡眠",
+ "both": "同时",
+ "horizontal": "水平",
+ "upper_target_temperature": "高目标温度",
+ "lower_target_temperature": "低目标温度",
+ "target_temperature_step": "目标温度步长",
+ "stopped": "已停止",
+ "not_charging": "未在充电",
+ "no_light": "无光",
+ "light_detected": "有光",
+ "not_moving": "没有移动",
+ "not_running": "未在运行",
+ "buffering": "正在缓冲",
+ "playing": "正在播放",
+ "standby": "待机",
+ "app_id": "应用 ID",
+ "local_accessible_entity_picture": "本地可访问实体图片",
+ "group_members": "组成员",
+ "album_artist": "专辑艺术家",
+ "content_id": "内容标识符",
+ "content_type": "内容类型",
+ "position_updated": "位置已更新",
+ "series": "系列",
+ "all": "全部",
+ "one": "单曲播放",
+ "available_sound_modes": "可用声音模式",
+ "available_sources": "可用来源",
+ "receiver": "接收器",
+ "speaker": "扬声器",
+ "tv": "TV",
"end_time": "结束时间",
"start_time": "开始时间",
- "next_event": "下个事件",
"event_type": "事件类型",
"doorbell": "门铃",
- "running_automations": "运行自动化",
- "id": "ID",
- "max_running_automations": "最大运行自动化数",
- "parallel": "并行",
- "queued": "排队",
- "single": "单点",
- "cleaning": "正在清扫",
- "returning_to_dock": "正在返回基座",
- "listening": "监听中",
- "processing": "处理中",
- "responding": "回应中",
- "max_running_scripts": "最大运行脚本数",
- "jammed": "卡住",
- "members": "成员",
- "known_hosts": "已知主机",
- "google_cast_configuration": "Google Cast 配置",
- "confirm_description": "您想设置{name}吗?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "账户已配置",
- "abort_already_in_progress": "配置流程已在进行中",
- "failed_to_connect": "连接失败",
- "invalid_access_token": "访问令牌无效",
- "invalid_authentication": "身份验证无效",
- "received_invalid_token_data": "收到无效的令牌数据。",
- "abort_oauth_failed": "获取访问令牌时出错。",
- "timeout_resolving_oauth_token": "解析 OAuth 令牌超时。",
- "abort_oauth_unauthorized": "获取访问令牌时出现 OAuth 授权错误。",
- "re_authentication_was_successful": "重新认证成功",
- "unexpected_error": "意外错误",
- "successfully_authenticated": "认证成功",
- "link_fitbit": "链接 Fitbit",
- "pick_authentication_method": "选择身份验证方法",
- "authentication_expired_for_name": "”{name}“的身份验证已过期",
+ "above_horizon": "白天(日出至日落)",
+ "below_horizon": "夜晚(日落至日出)",
+ "armed_custom_bypass": "已布防自定义旁路",
+ "disarming": "正在撤防",
+ "code_for_arming": "布防代码",
+ "not_required": "非必要项",
+ "finishes_at": "完成于",
+ "remaining": "剩余",
+ "restore": "恢复",
"device_is_already_configured": "设备已配置",
+ "failed_to_connect": "连接失败",
"abort_no_devices_found": "网络上未找到任何设备",
+ "re_authentication_was_successful": "重新认证成功",
"re_configuration_was_successful": "重新配置成功",
"connection_error_error": "连接错误:{error}",
"unable_to_authenticate_error": "无法验证:{error}",
"camera_stream_authentication_failed": "摄像头流认证失败",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "启用摄像头实时取景",
- "username": "用户名",
+ "username": "Username",
"camera_auth_confirm_description": "输入设备摄像头账户凭据。",
"set_camera_account_credentials": "设置摄像头账户凭据",
"authenticate": "认证",
+ "authentication_expired_for_name": "”{name}“的身份验证已过期",
"host": "Host",
"reconfigure_description": "更新设备 {mac} 的配置",
"reconfigure_tplink_entry": "重新配置 TPLink 条目",
"abort_single_instance_allowed": "已经配置过了,且只能配置一次。",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "您要开始设置吗 ?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "与 SwitchBot API 通信时出错:{error_detail}",
+ "unsupported_switchbot_type": "不支持的 Switchbot 类型。",
+ "unexpected_error": "意外错误",
+ "authentication_failed_error_detail": "身份验证失败: {error_detail}",
+ "error_encryption_key_invalid": "密钥 ID 或加密密钥无效",
+ "name_address": "{name} ({address})",
+ "confirm_description": "您想设置 {name} 吗?",
+ "switchbot_account_recommended": "SwitchBot 账户(推荐)",
+ "enter_encryption_key_manually": "手动输入加密密钥",
+ "encryption_key": "加密密钥",
+ "key_id": "密钥 ID",
+ "password_description": "用于保护备份的密码。",
+ "mac_address": "MAC 地址",
"service_is_already_configured": "服务已配置",
- "invalid_ics_file": ".ics 文件无效",
- "calendar_name": "日历名称",
- "starting_data": "起始数据",
+ "abort_already_in_progress": "配置流程已在进行中",
"abort_invalid_host": "主机名或 IP 地址无效",
"device_not_supported": "设备不支持",
+ "invalid_authentication": "身份验证无效",
"name_model_at_host": "{name} ({model} 位于 {host})",
"authenticate_to_the_device": "向设备进行身份验证",
"finish_title": "为设备选择一个名称",
@@ -2192,68 +2411,27 @@
"yes_do_it": "是,执行。",
"unlock_the_device_optional": "解锁设备(可选)",
"connect_to_the_device": "连接到设备",
- "abort_missing_credentials": "此集成需要应用凭据。",
- "timeout_establishing_connection": "建立连接超时",
- "link_google_account": "关联 Google 账户",
- "path_is_not_allowed": "路径不允许",
- "path_is_not_valid": "路径无效",
- "path_to_file": "文件路径",
- "api_key": "API 密钥",
- "configure_daikin_ac": "配置大金空调",
- "hacs_is_not_setup": "HACS is not setup.",
- "reauthentication_was_successful": "Reauthentication was successful.",
- "waiting_for_device_activation": "Waiting for device activation",
- "reauthentication_needed": "Reauthentication needed",
- "reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "bluetooth_confirm_description": "您要设置”{name}“吗 ?",
- "adapter": "适配器",
- "multiple_adapters_description": "选择要设置的蓝牙适配器",
- "arm_away_action": "离家布防动作",
- "arm_custom_bypass_action": "自定义旁路布防动作",
- "arm_home_action": "在家布防动作",
- "arm_night_action": "夜间布防动作",
- "arm_vacation_action": "度假布防动作",
- "code_arm_required": "需要布防代码",
- "disarm_action": "撤防动作",
- "trigger_action": "触发动作",
- "value_template": "值模板",
- "template_alarm_control_panel": "模板警报控制面板",
- "device_class": "设备类别",
- "state_template": "状态模板",
- "template_binary_sensor": "创建二元传感器模板",
- "actions_on_press": "按下时动作",
- "template_button": "创建按钮模板",
- "verify_ssl_certificate": "验证 SSL 证书",
- "template_image": "创建图像模板",
- "actions_on_set_value": "设置值时的动作",
- "step_value": "步长值",
- "template_number": "创建数字模板",
- "available_options": "可用选项",
- "actions_on_select": "选择时的动作",
- "template_select": "创建选择模板",
- "template_sensor": "创建传感器模板",
- "actions_on_turn_off": "关闭时的动作",
- "actions_on_turn_on": "开启时的动作",
- "template_switch": "创建开关模板",
- "menu_options_alarm_control_panel": "制作警报控制面板模板",
- "template_a_binary_sensor": "二元传感器模板",
- "template_a_button": "按钮模板",
- "template_a_number": "数字模板",
- "template_a_select": "选择模板",
- "template_a_sensor": "传感器模板",
- "template_a_switch": "开关模板",
- "template_helper": "模板辅助",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "账户已配置",
+ "invalid_access_token": "访问令牌无效",
+ "received_invalid_token_data": "收到无效的令牌数据。",
+ "abort_oauth_failed": "获取访问令牌时出错。",
+ "timeout_resolving_oauth_token": "解析 OAuth 令牌超时。",
+ "abort_oauth_unauthorized": "获取访问令牌时出现 OAuth 授权错误。",
+ "successfully_authenticated": "认证成功",
+ "link_fitbit": "链接 Fitbit",
+ "pick_authentication_method": "选择身份验证方法",
+ "two_factor_code": "双重认证代码",
+ "two_factor_authentication": "双重身份验证",
+ "reconfigure_ring_integration": "重新配置响铃集成",
+ "sign_in_with_ring_account": "使用铃账户登录",
+ "abort_alternative_integration": "该设备在另一集成能提供更好的支持",
+ "abort_incomplete_config": "配置缺少必要的变量信息",
+ "manual_description": "设备描述 XML 文件 URL",
+ "manual_title": "手动配置 DLNA DMR 设备连接",
+ "discovered_dlna_dmr_devices": "已发现 DLNA DMR 设备",
+ "broadcast_address": "广播地址",
+ "broadcast_port": "广播端口",
"abort_addon_info_failed": "获取“{addon}”插件的信息失败。",
"abort_addon_install_failed": "安装“{addon}”插件失败。",
"abort_addon_start_failed": "启动“{addon}”插件失败。",
@@ -2280,48 +2458,48 @@
"starting_add_on": "正在启动插件",
"menu_options_addon": "使用官方的“{addon}”插件。",
"menu_options_broker": "手动输入 MQTT 代理连接详细信息",
- "bridge_is_already_configured": "桥接器已配置完成",
- "no_deconz_bridges_discovered": "未发现 deCONZ 桥接器",
- "abort_no_hardware_available": "没有无线电硬件连接到 deCONZ",
- "abort_updated_instance": "使用新主机地址更新了 deCONZ 实例",
- "error_linking_not_possible": "无法与网关链接",
- "error_no_key": "无法获取 API 密钥",
- "link_with_deconz": "连接 deCONZ",
- "select_discovered_deconz_gateway": "选择已发现的 deCONZ 网关",
- "pin_code": "PIN 码",
- "discovered_android_tv": "已发现 Android TV",
- "abort_mdns_missing_mac": "MDNS 属性中缺少 MAC 地址。",
- "abort_mqtt_missing_api": "MQTT 属性中缺少 API 端口。",
- "abort_mqtt_missing_ip": "MQTT 属性中缺少 IP 地址。",
- "abort_mqtt_missing_mac": "MQTT 属性中缺少 MAC 地址。",
- "missing_mqtt_payload": "缺少 MQTT 有效负载。",
- "action_received": "已收到动作",
- "discovered_esphome_node": "已发现 ESPHome 节点",
- "encryption_key": "加密密钥",
- "no_port_for_endpoint": "端点无端口",
- "abort_no_services": "在端点找不到服务",
- "discovered_wyoming_service": "已发现 Wyoming 服务",
- "abort_alternative_integration": "该设备在另一集成能提供更好的支持",
- "abort_incomplete_config": "配置缺少必要的变量信息",
- "manual_description": "设备描述 XML 文件 URL",
- "manual_title": "手动配置 DLNA DMR 设备连接",
- "discovered_dlna_dmr_devices": "已发现 DLNA DMR 设备",
+ "api_key": "API 密钥",
+ "configure_daikin_ac": "配置大金空调",
+ "cannot_connect_details_error_detail": "无法连接。详细信息:{error_detail}",
+ "unknown_details_error_detail": "未知。详细信息:{error_detail}",
+ "uses_an_ssl_certificate": "使用 SSL 证书",
+ "verify_ssl_certificate": "验证 SSL 证书",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "bluetooth_confirm_description": "您要设置”{name}“吗 ?",
+ "adapter": "适配器",
+ "multiple_adapters_description": "选择要设置的蓝牙适配器",
"api_error_occurred": "发生 API 错误",
"hostname_ip_address": "{hostname} ({ip_address})",
"enable_https": "启用 HTTPS",
- "broadcast_address": "广播地址",
- "broadcast_port": "广播端口",
- "mac_address": "MAC 地址",
+ "hacs_is_not_setup": "HACS is not setup.",
+ "reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
+ "waiting_for_device_activation": "Waiting for device activation",
+ "reauthentication_needed": "Reauthentication needed",
+ "reauth_confirm_description": "You need to reauthenticate with GitHub.",
"meteorologisk_institutt": "挪威气象局",
- "ipv_is_not_supported": "不支持 IPv6 。",
- "error_custom_port_not_supported": "Gen1 设备不支持自定义端口。",
- "two_factor_code": "双重认证代码",
- "two_factor_authentication": "双重身份验证",
- "reconfigure_ring_integration": "重新配置响铃集成",
- "sign_in_with_ring_account": "使用铃账户登录",
+ "timeout_establishing_connection": "建立连接超时",
+ "link_google_account": "关联 Google 账户",
+ "path_is_not_allowed": "路径不允许",
+ "path_is_not_valid": "路径无效",
+ "path_to_file": "文件路径",
+ "pin_code": "PIN 码",
+ "discovered_android_tv": "已发现 Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
"all_entities": "所有实体",
"hide_members": "隐藏成员",
"create_group": "创建群组",
+ "device_class": "Device Class",
"ignore_non_numeric": "忽略非数值",
"data_round_digits": "将值四舍五入到小数位数",
"type": "类型",
@@ -2329,29 +2507,204 @@
"button_group": "按钮组",
"cover_group": "窗帘/卷帘组",
"event_group": "事件组",
- "fan_group": "风扇组",
- "light_group": "灯组",
"lock_group": "门锁组",
"media_player_group": "媒体播放器组",
"notify_group": "通知组",
"sensor_group": "传感器组",
"switch_group": "开关组",
- "abort_api_error": "与 SwitchBot API 通信时出错:{error_detail}",
- "unsupported_switchbot_type": "不支持的 Switchbot 类型。",
- "authentication_failed_error_detail": "身份验证失败: {error_detail}",
- "error_encryption_key_invalid": "密钥 ID 或加密密钥无效",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot 账户(推荐)",
- "enter_encryption_key_manually": "手动输入加密密钥",
- "key_id": "密钥 ID",
- "password_description": "用于保护备份的密码。",
- "device_address": "设备地址",
- "cannot_connect_details_error_detail": "无法连接。详细信息:{error_detail}",
- "unknown_details_error_detail": "未知。详细信息:{error_detail}",
- "uses_an_ssl_certificate": "使用 SSL 证书",
+ "known_hosts": "已知主机",
+ "google_cast_configuration": "Google Cast 配置",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "MDNS 属性中缺少 MAC 地址。",
+ "abort_mqtt_missing_api": "MQTT 属性中缺少 API 端口。",
+ "abort_mqtt_missing_ip": "MQTT 属性中缺少 IP 地址。",
+ "abort_mqtt_missing_mac": "MQTT 属性中缺少 MAC 地址。",
+ "missing_mqtt_payload": "缺少 MQTT 有效负载。",
+ "action_received": "已收到动作",
+ "discovered_esphome_node": "已发现 ESPHome 节点",
+ "bridge_is_already_configured": "桥接器已配置完成",
+ "no_deconz_bridges_discovered": "未发现 deCONZ 桥接器",
+ "abort_no_hardware_available": "没有无线电硬件连接到 deCONZ",
+ "abort_updated_instance": "使用新主机地址更新了 deCONZ 实例",
+ "error_linking_not_possible": "无法与网关链接",
+ "error_no_key": "无法获取 API 密钥",
+ "link_with_deconz": "连接 deCONZ",
+ "select_discovered_deconz_gateway": "选择已发现的 deCONZ 网关",
+ "abort_missing_credentials": "此集成需要应用凭据。",
+ "no_port_for_endpoint": "端点无端口",
+ "abort_no_services": "在端点找不到服务",
+ "discovered_wyoming_service": "已发现 Wyoming 服务",
+ "ipv_is_not_supported": "不支持 IPv6 。",
+ "error_custom_port_not_supported": "Gen1 设备不支持自定义端口。",
+ "arm_away_action": "离家布防动作",
+ "arm_custom_bypass_action": "自定义旁路布防动作",
+ "arm_home_action": "在家布防动作",
+ "arm_night_action": "夜间布防动作",
+ "arm_vacation_action": "度假布防动作",
+ "code_arm_required": "需要布防代码",
+ "disarm_action": "撤防动作",
+ "trigger_action": "触发动作",
+ "value_template": "值模板",
+ "template_alarm_control_panel": "模板警报控制面板",
+ "state_template": "状态模板",
+ "template_binary_sensor": "创建二元传感器模板",
+ "actions_on_press": "按下时动作",
+ "template_button": "创建按钮模板",
+ "template_image": "创建图像模板",
+ "actions_on_set_value": "设置值时的动作",
+ "step_value": "步长值",
+ "template_number": "创建数字模板",
+ "available_options": "可用选项",
+ "actions_on_select": "选择时的动作",
+ "template_select": "创建选择模板",
+ "template_sensor": "创建传感器模板",
+ "actions_on_turn_off": "关闭时的动作",
+ "actions_on_turn_on": "开启时的动作",
+ "template_switch": "创建开关模板",
+ "menu_options_alarm_control_panel": "制作警报控制面板模板",
+ "template_a_binary_sensor": "二元传感器模板",
+ "template_a_button": "按钮模板",
+ "template_a_number": "数字模板",
+ "template_a_select": "选择模板",
+ "template_a_sensor": "传感器模板",
+ "template_a_switch": "开关模板",
+ "template_helper": "模板辅助",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "该设备不是 zha 设备",
+ "abort_usb_probe_failed": "探测 USB 设备失败",
+ "invalid_backup_json": "无效的备份 JSON",
+ "choose_an_automatic_backup": "选择自动备份",
+ "restore_automatic_backup": "还原自动备份",
+ "choose_formation_strategy_description": "选择适配器的网络设置。",
+ "create_a_network": "创建网络",
+ "keep_radio_network_settings": "保留适配器网络设置",
+ "upload_a_manual_backup": "上传手动备份",
+ "network_formation": "网络构成",
+ "serial_device_path": "串口设备路径",
+ "select_a_serial_port": "选择串口",
+ "radio_type": "无线电类型",
+ "manual_pick_radio_type_description": "选择您的 Zigbee 无线电类型",
+ "port_speed": "端口速度",
+ "data_flow_control": "数据流控制",
+ "manual_port_config_description": "输入串口设置",
+ "serial_port_settings": "串口设置",
+ "data_overwrite_coordinator_ieee": "永久替换无线电 IEEE 地址",
+ "overwrite_radio_ieee_address": "覆盖无线电 IEEE 地址",
+ "upload_a_file": "上传文件",
+ "radio_is_not_recommended": "不推荐使用无线电",
+ "invalid_ics_file": ".ics 文件无效",
+ "calendar_name": "日历名称",
+ "starting_data": "起始数据",
+ "zha_alarm_options_alarm_arm_requires_code": "布防动作所需的密码",
+ "zha_alarm_options_alarm_master_code": "警报控制器的主密码",
+ "alarm_control_panel_options": "警报控制器选项",
+ "zha_options_consider_unavailable_battery": "电池供电设备在以下秒数后认为不可用",
+ "zha_options_consider_unavailable_mains": "电源供电设备在以下秒数后认为不可用",
+ "zha_options_default_light_transition": "默认灯光渐变时间(秒)",
+ "zha_options_group_members_assume_state": "群组成员接受假定的群组状态",
+ "zha_options_light_transitioning_flag": "启用灯光渐变期间的增强亮度滑动条",
+ "global_options": "全局选项",
+ "force_nightlatch_operation_mode": "强制 Nightlatch 操作模式",
+ "retry_count": "重试次数",
+ "data_process": "要添加传感器的进程",
+ "invalid_url": "无效 URL",
+ "data_browse_unfiltered": "浏览时显示不兼容的媒体",
+ "event_listener_callback_url": "事件监听器的回调 URL",
+ "data_listen_port": "事件监听器端口(如不指定则随机端口号)",
+ "poll_for_device_availability": "轮询设备可用性",
+ "init_title": "DLNA 数字媒体渲染器配置",
+ "broker_options": "代理选项",
+ "enable_birth_message": "启用出生消息",
+ "birth_message_payload": "出生消息有效载荷",
+ "birth_message_qos": "出生消息 QoS",
+ "birth_message_retain": "保留出生消息",
+ "birth_message_topic": "出生消息主题",
+ "enable_discovery": "启用自动发现",
+ "discovery_prefix": "发现前缀",
+ "enable_will_message": "启用遗嘱消息",
+ "will_message_payload": "遗嘱消息有效载荷",
+ "will_message_qos": "将消息QoS",
+ "will_message_retain": "留言会保留吗",
+ "will_message_topic": "遗嘱消息主题",
+ "data_description_discovery": "启用 MQTT 自动发现的选项。",
+ "mqtt_options": "MQTT 选项",
+ "passive_scanning": "被动扫描",
+ "protocol": "协议",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "语言代码",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "data_app_delete": "勾选删除此应用程序",
+ "application_icon": "应用程序图标",
+ "application_id": "应用程序标识符",
+ "application_name": "应用程序名称",
+ "configure_application_id_app_id": "配置应用程序标识符“{app_id}”",
+ "configure_android_apps": "配置 Android 应用",
+ "configure_applications_list": "配置应用程序列表",
"ignore_cec": "忽略 CEC",
"allowed_uuids": "允许的 UUID",
"advanced_google_cast_configuration": "高级 Google Cast 配置",
+ "allow_deconz_clip_sensors": "允许 deCONZ CLIP 传感器",
+ "allow_deconz_light_groups": "允许 deCONZ 灯组",
+ "data_allow_new_devices": "允许自动添加新设备",
+ "deconz_devices_description": "配置 deCONZ 设备类型的可见性",
+ "deconz_options": "deCONZ 选项",
+ "select_test_server": "选择测试服务器",
+ "data_calendar_access": "Home Assistant 访问 Google 日历",
+ "bluetooth_scanner_mode": "蓝牙扫描仪模式",
"device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
"not_supported": "Not Supported",
"localtuya_configuration": "LocalTuya Configuration",
@@ -2368,10 +2721,9 @@
"data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
"data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
"data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
"configure_tuya_device": "Configure Tuya device",
"configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "设备标识符",
+ "device_id": "Device ID",
"local_key": "Local key",
"protocol_version": "Protocol Version",
"data_entities": "Entities (uncheck an entity to remove it)",
@@ -2440,93 +2792,13 @@
"enable_heuristic_action_optional": "Enable heuristic action (optional)",
"data_dps_default_value": "Default value when un-initialised (optional)",
"minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant 访问 Google 日历",
- "data_process": "要添加传感器的进程",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "被动扫描",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "代理选项",
- "enable_birth_message": "启用出生消息",
- "birth_message_payload": "出生消息有效载荷",
- "birth_message_qos": "出生消息 QoS",
- "birth_message_retain": "保留出生消息",
- "birth_message_topic": "出生消息主题",
- "enable_discovery": "启用自动发现",
- "discovery_prefix": "发现前缀",
- "enable_will_message": "启用遗嘱消息",
- "will_message_payload": "遗嘱消息有效载荷",
- "will_message_qos": "将消息QoS",
- "will_message_retain": "留言会保留吗",
- "will_message_topic": "遗嘱消息主题",
- "data_description_discovery": "启用 MQTT 自动发现的选项。",
- "mqtt_options": "MQTT 选项",
"data_allow_nameless_uuids": "当前允许的 UUID 。取消选中可移除对应项",
"data_new_uuid": "输入新允许的 UUID",
- "allow_deconz_clip_sensors": "允许 deCONZ CLIP 传感器",
- "allow_deconz_light_groups": "允许 deCONZ 灯组",
- "data_allow_new_devices": "允许自动添加新设备",
- "deconz_devices_description": "配置 deCONZ 设备类型的可见性",
- "deconz_options": "deCONZ 选项",
- "data_app_delete": "勾选删除此应用程序",
- "application_icon": "应用程序图标",
- "application_id": "应用程序标识符",
- "application_name": "应用程序名称",
- "configure_application_id_app_id": "配置应用程序标识符“{app_id}”",
- "configure_android_apps": "配置 Android 应用",
- "configure_applications_list": "配置应用程序列表",
- "invalid_url": "无效 URL",
- "data_browse_unfiltered": "浏览时显示不兼容的媒体",
- "event_listener_callback_url": "事件监听器的回调 URL",
- "data_listen_port": "事件监听器端口(如不指定则随机端口号)",
- "poll_for_device_availability": "轮询设备可用性",
- "init_title": "DLNA 数字媒体渲染器配置",
- "protocol": "协议",
- "language_code": "语言代码",
- "bluetooth_scanner_mode": "蓝牙扫描仪模式",
- "force_nightlatch_operation_mode": "强制 Nightlatch 操作模式",
- "retry_count": "重试次数",
- "select_test_server": "选择测试服务器",
- "toggle_entity_name": "切换 {entity_name}",
- "close_entity_name": "关闭 {entity_name}",
- "turn_on_entity_name": "开启 {entity_name}",
- "entity_name_is_off": "{entity_name} 已关闭",
- "entity_name_is_on": "{entity_name} 已开启",
- "trigger_type_changed_states": "{entity_name} 被开启或关闭",
- "entity_name_turned_off": "{entity_name} 被关闭",
- "entity_name_turned_on": "{entity_name} 被开启",
+ "reconfigure_zha": "重新配置 ZHA",
+ "unplug_your_old_radio": "拔掉旧的适配器",
+ "intent_migrate_title": "迁移到新的适配器",
+ "re_configure_the_current_radio": "重新配置当前适配器",
+ "migrate_or_re_configure": "迁移或重新配置",
"current_entity_name_apparent_power": "{entity_name} 当前视在功率",
"condition_type_is_aqi": "{entity_name} 当前空气质量指数",
"current_entity_name_area": "当前 {entity_name} 区域",
@@ -2619,14 +2891,73 @@
"entity_name_water_changes": "{entity_name} 水量变化",
"entity_name_weight_changes": "{entity_name} 重量变化",
"entity_name_wind_speed_changes": "{entity_name} 风速变化",
+ "decrease_entity_name_brightness": "降低 {entity_name} 亮度",
+ "increase_entity_name_brightness": "提高 {entity_name} 亮度",
+ "flash_entity_name": "{entity_name} 闪烁",
+ "toggle_entity_name": "切换 {entity_name}",
+ "close_entity_name": "关闭 {entity_name}",
+ "turn_on_entity_name": "开启 {entity_name}",
+ "entity_name_is_off": "{entity_name} 已关闭",
+ "entity_name_is_on": "{entity_name} 已开启",
+ "flash": "闪烁",
+ "trigger_type_changed_states": "{entity_name} 被开启或关闭",
+ "entity_name_turned_off": "{entity_name} 被关闭",
+ "entity_name_turned_on": "{entity_name} 被开启",
+ "set_value_for_entity_name": "设置 {entity_name} 的值",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name} 更新可用性已变化",
+ "entity_name_became_up_to_date": "{entity_name} 已更新",
+ "trigger_type_update": "{entity_name} 获取到可用更新",
+ "first_button": "第一键",
+ "second_button": "第二键",
+ "third_button": "第三键",
+ "fourth_button": "第四键",
+ "fifth_button": "第五键",
+ "sixth_button": "第六键",
+ "subtype_double_clicked": "\"{subtype}\" 双击",
+ "subtype_continuously_pressed": "\"{subtype}\" 长按",
+ "trigger_type_button_long_release": "\"{subtype}\" 长按后松开",
+ "subtype_quadruple_clicked": "\"{subtype}\" 四连击",
+ "subtype_quintuple_clicked": "\"{subtype}\" 五连击",
+ "subtype_pressed": "\"{subtype}\" 单击",
+ "subtype_released": "\"{subtype}\" 松开",
+ "subtype_triple_clicked": "\"{subtype}\" 三连击",
+ "entity_name_is_home": "{entity_name} 在家",
+ "entity_name_is_not_home": "{entity_name} 不在家",
+ "entity_name_enters_a_zone": "{entity_name} 进入某个区域",
+ "entity_name_leaves_a_zone": "{entity_name} 离开某个区域",
+ "press_entity_name_button": "按下 {entity_name} 按钮",
+ "entity_name_has_been_pressed": "{entity_name} 被按下",
+ "let_entity_name_clean": "让”{entity_name}“清扫",
+ "action_type_dock": "让”{entity_name}“返回基座",
+ "entity_name_is_cleaning": "{entity_name} 正在清扫",
+ "entity_name_docked": "{entity_name} 已停靠",
+ "entity_name_started_cleaning": "{entity_name} 开始清扫",
+ "send_a_notification": "发送通知",
+ "lock_entity_name": "锁定 {entity_name}",
+ "open_entity_name": "打开 {entity_name}",
+ "unlock_entity_name": "解锁 {entity_name}",
+ "entity_name_is_locked": "{entity_name} 已锁定",
+ "entity_name_opened": "{entity_name} 已打开",
+ "entity_name_unlocked": "{entity_name} 已解锁",
+ "entity_name_locked": "{entity_name} 被锁定",
"action_type_set_hvac_mode": "更改“{entity_name}”上的暖通空调模式",
"change_preset_on_entity_name": "更改“{entity_name}”上的预设",
"to": "到",
"entity_name_measured_humidity_changed": "{entity_name} 测量湿度变化",
"entity_name_measured_temperature_changed": "{entity_name} 测量温度变化",
"entity_name_hvac_mode_changed": "{entity_name} 暖通空调模式变化",
- "set_value_for_entity_name": "设置 {entity_name} 的值",
- "value": "值",
+ "close_entity_name_tilt": "倾闭 {entity_name}",
+ "open_entity_name_tilt": "倾开 {entity_name}",
+ "set_entity_name_position": "设置 {entity_name} 的位置",
+ "set_entity_name_tilt_position": "设置 {entity_name} 的倾斜位置",
+ "stop_entity_name": "停止 {entity_name}",
+ "entity_name_closing": "{entity_name} 正在关闭",
+ "entity_name_opening": "{entity_name} 正在打开",
+ "current_entity_name_position_is": "{entity_name} 当前位置为",
+ "condition_type_is_tilt_position": "{entity_name} 当前倾斜位置为",
+ "entity_name_position_changes": "{entity_name} 位置变化",
+ "entity_name_tilt_position_changes": "{entity_name} 倾斜位置变化",
"entity_name_battery_low": "{entity_name} 电池电量低",
"entity_name_charging": "{entity_name} 正在充电",
"condition_type_is_co": "{entity_name} 正在检测一氧化碳",
@@ -2635,7 +2966,6 @@
"entity_name_is_detecting_gas": "{entity_name} 正在检测燃气",
"entity_name_is_hot": "{entity_name} 正热",
"entity_name_is_detecting_light": "{entity_name} 正在检测光照",
- "entity_name_is_locked": "{entity_name} 已锁上",
"entity_name_is_moist": "{entity_name} 潮湿",
"entity_name_is_detecting_motion": "{entity_name} 正在检测运动",
"entity_name_is_moving": "{entity_name} 正在移动",
@@ -2653,7 +2983,6 @@
"entity_name_is_not_cold": "{entity_name} 不冷了",
"entity_name_is_disconnected": "{entity_name} 已断开",
"entity_name_is_not_hot": "{entity_name} 不热了",
- "entity_name_is_unlocked": "{entity_name} 已解锁",
"entity_name_is_dry": "{entity_name} 已干燥",
"entity_name_is_not_moving": "{entity_name} 静止",
"entity_name_is_not_occupied": "{entity_name} 为被占据",
@@ -2664,7 +2993,6 @@
"condition_type_is_not_tampered": "{entity_name} 未在检测篡改",
"entity_name_is_safe": "{entity_name} 安全",
"entity_name_is_occupied": "{entity_name} 被占据",
- "entity_name_is_open": "{entity_name} 已打开",
"entity_name_plugged_in": "{entity_name} 已插入",
"entity_name_is_powered": "{entity_name} 已通电",
"entity_name_present": "{entity_name} 存在",
@@ -2681,7 +3009,6 @@
"entity_name_started_detecting_gas": "{entity_name} 开始检测燃气",
"entity_name_became_hot": "{entity_name} 变热了",
"entity_name_started_detecting_light": "{entity_name} 开始检测光照",
- "entity_name_locked": "{entity_name} 被锁定",
"entity_name_became_moist": "{entity_name} 变湿",
"entity_name_started_detecting_motion": "{entity_name} 开始检测运动",
"entity_name_started_moving": "{entity_name} 开始移动",
@@ -2692,10 +3019,8 @@
"entity_name_stopped_detecting_problem": "{entity_name} 停止检测异常",
"entity_name_stopped_detecting_smoke": "{entity_name} 停止检测烟雾",
"entity_name_stopped_detecting_sound": "{entity_name} 停止检测声音",
- "entity_name_became_up_to_date": "{entity_name} 已更新",
"entity_name_stopped_detecting_vibration": "{entity_name} 停止检测振动",
"entity_name_disconnected": "{entity_name} 断开连接",
- "entity_name_unlocked": "{entity_name} 被解锁",
"entity_name_became_dry": "{entity_name} 变干燥",
"entity_name_stopped_moving": "{entity_name} 停止移动",
"entity_name_became_not_occupied": "{entity_name} 不被占据",
@@ -2705,7 +3030,6 @@
"entity_name_stopped_detecting_tampering": "{entity_name} 已停止检测篡改",
"entity_name_became_safe": "{entity_name} 转为安全",
"entity_name_became_occupied": "{entity_name} 已被占据",
- "entity_name_opened": "{entity_name} 被打开",
"entity_name_powered": "{entity_name} 上电",
"entity_name_started_detecting_problem": "{entity_name} 开始检测异常",
"entity_name_started_running": "{entity_name} 已开始运行",
@@ -2713,7 +3037,6 @@
"entity_name_started_detecting_sound": "{entity_name} 开始检测声音",
"entity_name_started_detecting_tampering": "{entity_name} 已开始检测篡改",
"entity_name_became_unsafe": "{entity_name} 不再安全",
- "trigger_type_update": "{entity_name} 获取到可用更新",
"entity_name_started_detecting_vibration": "{entity_name} 开始检测振动",
"entity_name_is_buffering": "{entity_name} 正在缓冲",
"entity_name_is_idle": "{entity_name} 空闲",
@@ -2722,30 +3045,6 @@
"entity_name_starts_buffering": "{entity_name} 开始缓冲",
"entity_name_becomes_idle": "{entity_name} 转为空闲",
"entity_name_starts_playing": "{entity_name} 开始播放",
- "entity_name_is_home": "{entity_name} 在家",
- "entity_name_is_not_home": "{entity_name} 不在家",
- "entity_name_enters_a_zone": "{entity_name} 进入某个区域",
- "entity_name_leaves_a_zone": "{entity_name} 离开某个区域",
- "decrease_entity_name_brightness": "降低 {entity_name} 亮度",
- "increase_entity_name_brightness": "提高 {entity_name} 亮度",
- "flash_entity_name": "{entity_name} 闪烁",
- "flash": "闪烁",
- "entity_name_update_availability_changed": "{entity_name} 更新可用性已变化",
- "arm_entity_name_away": "{entity_name} 离家布防",
- "arm_entity_name_home": "{entity_name} 在家布防",
- "arm_entity_name_night": "{entity_name} 夜间布防",
- "arm_entity_name_vacation": "{entity_name} 度假布防",
- "disarm_entity_name": "撤防 {entity_name}",
- "trigger_entity_name": "触发 {entity_name}",
- "entity_name_is_armed_away": "{entity_name} 已开启离家布防",
- "entity_name_is_armed_home": "{entity_name} 已开启在家布防",
- "entity_name_is_armed_night": "{entity_name} 已开启夜间布防",
- "entity_name_is_armed_vacation": "{entity_name} 已开启度假布防",
- "entity_name_disarmed": "{entity_name} 已撤防",
- "entity_name_triggered": "{entity_name} 已触发",
- "entity_name_armed_vacation": "{entity_name} 开启度假布防",
- "press_entity_name_button": "按下 {entity_name} 按钮",
- "entity_name_has_been_pressed": "{entity_name} 被按下",
"action_type_select_first": "{entity_name} 更改为第一个选项",
"action_type_select_last": "{entity_name} 更改为最后一个选项",
"action_type_select_next": "{entity_name} 更改为下一选项",
@@ -2755,33 +3054,7 @@
"cycle": "循环",
"from": "从",
"entity_name_option_changed": "{entity_name} 选项已更改",
- "close_entity_name_tilt": "倾闭 {entity_name}",
- "open_entity_name": "打开 {entity_name}",
- "open_entity_name_tilt": "倾开 {entity_name}",
- "set_entity_name_position": "设置 {entity_name} 的位置",
- "set_entity_name_tilt_position": "设置 {entity_name} 的倾斜位置",
- "stop_entity_name": "停止 {entity_name}",
- "entity_name_closing": "{entity_name} 正在关闭",
- "entity_name_opening": "{entity_name} 正在打开",
- "current_entity_name_position_is": "{entity_name} 当前位置为",
- "condition_type_is_tilt_position": "{entity_name} 当前倾斜位置为",
- "entity_name_position_changes": "{entity_name} 位置变化",
- "entity_name_tilt_position_changes": "{entity_name} 倾斜位置变化",
- "first_button": "第一个按钮",
- "second_button": "第二个按钮",
- "third_button": "第三个按钮",
- "fourth_button": "第四个按钮",
- "fifth_button": "第五个按钮",
- "sixth_button": "第六个按钮",
- "subtype_double_clicked": "{subtype} 双击",
- "subtype_continuously_pressed": "“ {subtype} ”连续按下",
- "trigger_type_button_long_release": "\"{subtype}\" 长按后松开",
- "subtype_quadruple_clicked": "\"{subtype}\" 四连击",
- "subtype_quintuple_clicked": "单击“ {subtype} ”五连击",
- "subtype_pressed": "\"{subtype}\"已按下",
- "subtype_released": "\"{subtype}\"已释放",
- "subtype_triple_clicked": "{subtype} 三连击",
- "both_buttons": "两个按钮",
+ "both_buttons": "两键同时",
"bottom_buttons": "底部按钮",
"seventh_button": "第七个按钮",
"eighth_button": "第八个按钮",
@@ -2792,26 +3065,19 @@
"side": "第 6 面",
"top_buttons": "顶部按钮",
"device_awakened": "设备唤醒",
- "trigger_type_remote_button_long_release": "“ {subtype} ”长按后释放",
"button_rotated_subtype": "旋转按钮“ {subtype} ”",
"button_rotated_fast_subtype": "按钮快速旋转“ {subtype} ”",
"button_rotation_subtype_stopped": "按钮 \"{subtype}\" 停止旋转",
"device_subtype_double_tapped": "设备的“{subtype}”被轻敲两次",
"trigger_type_remote_double_tap_any_side": "在设备任意一侧双击",
- "device_in_free_fall": "设备自由落体",
+ "device_dropped": "设备自由落体",
"device_flipped_degrees": "设备翻转 90 度",
- "device_shaken": "设备摇晃",
+ "device_shaken": "设备摇一摇",
"trigger_type_remote_moved": "设备水平移动且“{subtype}”朝上",
"trigger_type_remote_moved_any_side": "设备任意一面朝上移动",
"trigger_type_remote_rotate_from_side": "设备从“第 6 面”翻转到“{subtype}”",
"device_turned_clockwise": "设备顺时针转动",
"device_turned_counter_clockwise": "装置逆时针转动",
- "send_a_notification": "发送通知",
- "let_entity_name_clean": "让”{entity_name}“清扫",
- "action_type_dock": "让”{entity_name}“返回基座",
- "entity_name_is_cleaning": "{entity_name} 正在清扫",
- "entity_name_docked": "{entity_name} 已停靠",
- "entity_name_started_cleaning": "{entity_name} 开始清扫",
"subtype_button_down": "{subtype} 按钮向下",
"subtype_button_up": "{subtype} 按钮向上",
"subtype_double_push": "{subtype} 按两次",
@@ -2821,27 +3087,48 @@
"trigger_type_single_long": "{subtype} 单击后长按",
"subtype_single_push": "{subtype} 按一次",
"subtype_triple_push": "{subtype} 按三次",
- "lock_entity_name": "锁定 {entity_name}",
- "unlock_entity_name": "解锁 {entity_name}",
+ "arm_entity_name_away": "{entity_name} 离家布防",
+ "arm_entity_name_home": "{entity_name} 在家布防",
+ "arm_entity_name_night": "{entity_name} 夜间布防",
+ "arm_entity_name_vacation": "{entity_name} 度假布防",
+ "disarm_entity_name": "撤防 {entity_name}",
+ "trigger_entity_name": "触发 {entity_name}",
+ "entity_name_is_armed_away": "{entity_name} 已开启离家布防",
+ "entity_name_is_armed_home": "{entity_name} 已开启在家布防",
+ "entity_name_is_armed_night": "{entity_name} 已开启夜间布防",
+ "entity_name_is_armed_vacation": "{entity_name} 已开启度假布防",
+ "entity_name_disarmed": "{entity_name} 已撤防",
+ "entity_name_triggered": "{entity_name} 已触发",
+ "entity_name_armed_vacation": "{entity_name} 开启度假布防",
+ "action_type_issue_all_led_effect": "设置所有 LED 的效果",
+ "action_type_issue_individual_led_effect": "设置单个 LED 的效果",
+ "squawk": "响铃",
+ "warn": "告警",
+ "color_hue": "色调",
+ "duration_in_seconds": "时长(秒)",
+ "effect_type": "效果类型",
+ "led_number": "LED 数量",
+ "with_face_activated": "并且第 6 面激活",
+ "with_any_specified_face_s_activated": "并且任意或指定面激活",
+ "device_flipped_subtype": "设备翻转{subtype}",
+ "device_knocked_subtype": "设备轻敲{subtype}",
+ "device_offline": "设备离线",
+ "device_rotated_subtype": "设备向{subtype}旋转",
+ "device_slid_subtype": "设备平移{subtype}",
+ "device_tilted": "设备倾斜",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" 双击(备用)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" 长按(备用)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" 长按后松开(备用)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" 四连击(备用)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" 五连击(备用)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" 单击(备用)",
+ "subtype_released_alternate_mode": "\"{subtype}\" 松开(备用)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" 三连击(备用)",
"add_to_queue": "添加到队列",
"play_next": "播放下一个",
"options_replace": "立即播放并清除队列",
"repeat_all": "全部重复",
"repeat_one": "单曲重复",
- "no_code_format": "无代码格式",
- "no_unit_of_measurement": "无度量单位",
- "debug": "调试",
- "warning": "警告",
- "create_an_empty_calendar": "创建空日历",
- "options_import_ics_file": "上传 iCalendar 文件 (.ics)",
- "passive": "被动",
- "most_recently_updated": "最近更新",
- "arithmetic_mean": "算术平均值",
- "median": "中位数",
- "product": "乘积",
- "statistical_range": "统计范围",
- "standard_deviation": "标准差",
- "fatal": "致命",
"alice_blue": "爱丽丝蓝",
"antique_white": "仿古白",
"aqua": "湖绿色",
@@ -2958,47 +3245,20 @@
"turquoise": "绿松色",
"wheat": "小麦色",
"white_smoke": "白烟色",
- "sets_the_value": "设置值。",
- "the_target_value": "目标值。",
- "device_description": "要将命令发送到的设备标识符。",
- "delete_command": "删除命令",
- "alternative": "替代项",
- "command_type_description": "要学习的命令类型。",
- "command_type": "命令类型",
- "timeout_description": "学习命令超时。",
- "learn_command": "学习命令",
- "delay_seconds": "延迟秒数",
- "hold_seconds": "保持秒数",
- "repeats": "重复",
- "send_command": "发送命令",
- "sends_the_toggle_command": "发送切换命令。",
- "turn_off_description": "关闭一个或多个灯光。",
- "turn_on_description": "启动新的清扫任务。",
- "set_datetime_description": "设置日期和/或时间。",
- "the_target_date": "目标日期。",
- "datetime_description": "目标日期和时间。",
- "the_target_time": "目标时间。",
- "creates_a_new_backup": "创建新的备份。",
- "apply_description": "使用指定配置激活场景。",
- "entities_description": "实体列表及其目标状态。",
- "creates_a_new_scene": "创建一个新场景。",
- "scene_id_description": "新场景的实体标识符。",
- "scene_entity_id": "场景实体标识符",
- "snapshot_entities": "快照实体",
- "delete_description": "删除动态创建的场景。",
- "activates_a_scene": "激活场景。",
- "closes_a_valve": "关闭阀门。",
- "opens_a_valve": "打开阀门。",
- "set_valve_position_description": "将阀门移动到特定位置。",
- "target_position": "目标位置。",
- "set_position": "设置位置",
- "stops_the_valve_movement": "停止阀门运动。",
- "toggles_a_valve_open_closed": "切换阀门的打开/关闭状态。",
- "dashboard_path": "仪表板路径",
- "view_path": "查看路径",
- "show_dashboard_view": "显示仪表板视图",
- "finish_description": "比预定时间提前完成正在运行的计时器。",
- "duration_description": "重新启动计时器的自定义时长。",
+ "debug": "调试",
+ "warning": "警告",
+ "passive": "被动",
+ "no_code_format": "无代码格式",
+ "no_unit_of_measurement": "无度量单位",
+ "fatal": "致命",
+ "most_recently_updated": "最近更新",
+ "arithmetic_mean": "算术平均值",
+ "median": "中位数",
+ "product": "乘积",
+ "statistical_range": "统计范围",
+ "standard_deviation": "标准差",
+ "create_an_empty_calendar": "创建空日历",
+ "options_import_ics_file": "上传 iCalendar 文件 (.ics)",
"sets_a_random_effect": "设置随机效果。",
"sequence_description": "HSV 序列的列表(最多 16 个)。",
"initial_brightness": "初始亮度。",
@@ -3023,100 +3283,11 @@
"speed_of_spread": "传播的速度。",
"spread": "传播",
"sequence_effect": "序列效果",
- "check_configuration": "检查配置",
- "reload_all": "全部重新加载",
- "reload_config_entry_description": "重新加载指定的配置项。",
- "config_entry_id": "配置项标识符",
- "reload_config_entry": "重新加载配置项",
- "reload_core_config_description": "从 YAML 配置重新加载核心配置。",
- "reload_core_configuration": "重新加载核心配置",
- "reload_custom_jinja_templates": "重新加载自定义 Jinja2 模板",
- "restarts_home_assistant": "重新启动Home Assistant。",
- "safe_mode_description": "禁用自定义集成和自定义卡片。",
- "save_persistent_states": "保存持久状态",
- "set_location_description": "更新Home Assistant位置。",
- "elevation_description": "您所在位置的海拔高度。",
- "latitude_of_your_location": "您所在位置的纬度。",
- "longitude_of_your_location": "您所在位置的经度。",
- "stops_home_assistant": "停止Home Assistant。",
- "generic_toggle": "通用切换",
- "generic_turn_off": "通用关闭",
- "generic_turn_on": "通用开启",
- "entity_id_description": "日志条目中要引用的实体。",
- "entities_to_update": "要更新的实体",
- "update_entity": "更新实体",
- "turns_auxiliary_heater_on_off": "打开/关闭辅助加热器。",
- "aux_heat_description": "辅助加热器的新值。",
- "turn_on_off_auxiliary_heater": "打开/关闭辅助加热器",
- "sets_fan_operation_mode": "设置风扇运行模式。",
- "fan_operation_mode": "风扇运行模式。",
- "set_fan_mode": "设置风扇模式",
- "sets_target_humidity": "设置目标湿度。",
- "set_target_humidity": "设置目标湿度",
- "sets_hvac_operation_mode": "设置暖通空调操作模式。",
- "hvac_operation_mode": "暖通空调操作模式。",
- "set_hvac_mode": "设置运行模式",
- "sets_preset_mode": "设置预设模式。",
- "set_preset_mode": "设置预设模式",
- "set_swing_horizontal_mode_description": "设置水平摆动操作模式。",
- "horizontal_swing_operation_mode": "水平摆动操作模式。",
- "set_horizontal_swing_mode": "设置水平摆动模式",
- "sets_swing_operation_mode": "设定摆动操作模式。",
- "swing_operation_mode": "摆动操作方式。",
- "set_swing_mode": "设置摆动模式",
- "sets_the_temperature_setpoint": "设置温度设定值。",
- "the_max_temperature_setpoint": "最高目标温度设定值。",
- "the_min_temperature_setpoint": "最低目标温度设定值。",
- "the_temperature_setpoint": "目标温度设定值。",
- "set_target_temperature": "设置目标温度",
- "turns_climate_device_off": "关闭空调设备。",
- "turns_climate_device_on": "打开空调设备。",
- "decrement_description": "将当前值递减 1 步。",
- "increment_description": "将当前值增加 1 步。",
- "reset_description": "将计数器重置为其初始值。",
- "set_value_description": "设置数字的值。",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "配置参数的值。",
- "clear_playlist_description": "从播放列表中移除所有项目。",
- "clear_playlist": "清空播放列表",
- "selects_the_next_track": "选择下一首曲目。",
- "pauses": "暂停播放。",
- "starts_playing": "开始播放。",
- "toggles_play_pause": "切换播放/暂停状态。",
- "selects_the_previous_track": "选择上一个曲目。",
- "seek": "调整播放位置",
- "stops_playing": "停止播放。",
- "starts_playing_specified_media": "开始播放指定媒体。",
- "announce": "播报",
- "enqueue": "加入队列",
- "repeat_mode_to_set": "要设置的重复模式。",
- "select_sound_mode_description": "选择指定的声音模式。",
- "select_sound_mode": "选择声音模式",
- "select_source": "选择输入源",
- "shuffle_description": "是否启用随机播放模式。",
- "toggle_description": "切换扫地机的打开/关闭状态。",
- "unjoin": "取消加入",
- "turns_down_the_volume": "调低音量。",
- "turn_down_volume": "调低音量",
- "volume_mute_description": "将媒体播放器静音或取消静音。",
- "is_volume_muted_description": "是否要静音。",
- "mute_unmute_volume": "静音/取消静音",
- "sets_the_volume_level": "设置音量级别。",
- "level": "级别",
- "set_volume": "设置音量",
- "turns_up_the_volume": "调高音量。",
- "turn_up_volume": "调高音量",
- "battery_description": "设备的电池电量。",
- "gps_coordinates": "GPS坐标",
- "gps_accuracy_description": "GPS 坐标的准确性。",
- "hostname_of_the_device": "设备的主机名。",
- "hostname": "主机名",
- "mac_description": "设备的 MAC 地址。",
- "see": "查看",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "切换警报器的打开/关闭状态。",
+ "turns_the_siren_off": "关闭警报器。",
+ "turns_the_siren_on": "打开警报器。",
"brightness_value": "亮度值",
"a_human_readable_color_name": "可阅读的颜色名称。",
"color_name": "颜色名称",
@@ -3127,24 +3298,66 @@
"rgbww_color": "RGBWW 颜色",
"white_description": "将灯光设置为白色模式。",
"xy_color": "XY 颜色",
+ "turn_off_description": "发送关闭命令。",
"brightness_step_description": "按数值更改亮度。",
"brightness_step_value": "亮度步长值",
"brightness_step_pct_description": "按百分比更改亮度。",
"brightness_step": "亮度步长",
- "add_event_description": "添加新的日历事件。",
- "calendar_id_description": "您想要的日历的标识符。",
- "calendar_id": "日历标识符",
- "description_description": "事件的描述。可选的。",
- "summary_description": "作为事件的标题。",
- "location_description": "事件的位置。",
- "create_event": "创建事件",
- "apply_filter": "应用过滤器",
- "days_to_keep": "保留天数",
- "repack": "重新打包",
- "domains_to_remove": "要移除的域",
- "entity_globs_to_remove": "要移除的实体通配符",
- "entities_to_remove": "要移除的实体",
- "purge_entities": "清除实体",
+ "toggles_the_helper_on_off": "切换辅助元素的打开/关闭状态。",
+ "turns_off_the_helper": "关闭辅助元素。",
+ "turns_on_the_helper": "打开辅助元素。",
+ "pauses_the_mowing_task": "暂停割草任务。",
+ "starts_the_mowing_task": "启动割草任务。",
+ "creates_a_new_backup": "创建新的备份。",
+ "sets_the_value": "设置值。",
+ "enter_your_text": "请输入文本。",
+ "set_value": "设定值",
+ "clear_lock_user_code_description": "清除锁上的用户密码。",
+ "code_slot_description": "要设置的密码槽位。",
+ "code_slot": "密码槽位",
+ "clear_lock_user": "清除锁定用户",
+ "disable_lock_user_code_description": "禁用锁上的用户密码。",
+ "code_slot_to_disable": "要禁用的密码槽位。",
+ "disable_lock_user": "禁用锁定用户",
+ "enable_lock_user_code_description": "启用锁上的用户密码。",
+ "code_slot_to_enable": "要启用的密码槽位。",
+ "enable_lock_user": "启用锁定用户",
+ "args_description": "要传递给命令的参数。",
+ "args": "参数",
+ "cluster_id_description": "要检索其属性的 ZCL 集群。",
+ "cluster_id": "集群标识符",
+ "type_of_the_cluster": "集群的类型。",
+ "cluster_type": "集群类型",
+ "command_description": "发送到 Google Assistant 的命令。",
+ "command_type_description": "要学习的命令类型。",
+ "command_type": "命令类型",
+ "endpoint_id_description": "集群的端点标识符。",
+ "endpoint_id": "端点标识符",
+ "ieee_description": "设备的 IEEE 地址。",
+ "ieee": "IEEE",
+ "manufacturer": "制造商",
+ "issue_zigbee_cluster_command": "发出 zigbee 集群命令",
+ "group_description": "群组的十六进制地址。",
+ "issue_zigbee_group_command": "发出 Zigbee 群组命令",
+ "permit_description": "允许节点加入 Zigbee 网络。",
+ "time_to_permit_joins": "允许入网的时长。",
+ "install_code": "安装代码",
+ "qr_code": "二维码",
+ "source_ieee": "来源 IEEE",
+ "permit": "允许",
+ "remove_description": "从 Zigbee 网络中删除节点。",
+ "set_lock_user_code_description": "在锁上设置一个用户密码。",
+ "code_to_set": "要设置的密码。",
+ "set_lock_user_code": "设置锁上的用户密码",
+ "attribute_description": "要设置的属性的 ID。",
+ "value_description": "要设置的目标值。",
+ "set_zigbee_cluster_attribute": "设置 zigbee 集群属性",
+ "level": "音量级别",
+ "strobe": "频闪",
+ "warning_device_squawk": "警报装置响铃",
+ "duty_cycle": "占空比",
+ "intensity": "强度",
+ "warning_device_starts_alert": "警告设备开始报警",
"dump_log_objects": "转储对象到日志",
"log_current_tasks_description": "记录所有当前 asyncio 任务。",
"log_current_asyncio_tasks": "记录当前 asyncio 任务",
@@ -3169,27 +3382,293 @@
"stop_logging_object_sources": "停止记录对象源",
"stop_log_objects_description": "停止记录内存中对象的增长。",
"stop_logging_objects": "停止记录对象",
+ "set_default_level_description": "设置集成的默认日志级别。",
+ "level_description": "所有集成的默认严重性级别。",
+ "set_default_level": "设置默认级别",
+ "set_level": "设置级别",
+ "stops_a_running_script": "停止正在运行的脚本。",
+ "clear_skipped_update": "清除跳过的更新",
+ "install_update": "安装更新",
+ "skip_description": "将当前可用更新标记为已跳过。",
+ "skip_update": "跳过更新",
+ "decrease_speed_description": "降低风扇速度。",
+ "decrease_speed": "降低速度",
+ "increase_speed_description": "提高风扇速度。",
+ "increase_speed": "增速",
+ "oscillate_description": "控制风扇的摇头。",
+ "turns_oscillation_on_off": "打开/关闭摇头。",
+ "set_direction_description": "设置风扇的旋转方向。",
+ "direction_description": "风扇旋转的方向。",
+ "set_direction": "设定方向",
+ "set_percentage_description": "设置风扇的速度。",
+ "speed_of_the_fan": "风扇的速度。",
+ "percentage": "百分比",
+ "set_speed": "设定速度",
+ "sets_preset_fan_mode": "设置预设风扇模式。",
+ "preset_fan_mode": "预设风扇模式。",
+ "set_preset_mode": "设置预设模式",
+ "toggles_a_fan_on_off": "切换风扇的打开/关闭状态。",
+ "turns_fan_off": "关闭风扇。",
+ "turns_fan_on": "打开风扇。",
+ "set_datetime_description": "设置日期和/或时间。",
+ "the_target_date": "目标日期。",
+ "datetime_description": "目标日期和时间。",
+ "the_target_time": "目标时间。",
+ "log_description": "在日志中创建自定义条目。",
+ "entity_id_description": "用于播放消息的媒体播放器。",
+ "message_description": "通知的消息正文。",
+ "log": "记录日志",
+ "request_sync_description": "向 Google 发送 request_sync 命令。",
+ "agent_user_id": "代理用户 ID",
+ "request_sync": "请求同步",
+ "apply_description": "使用指定配置激活场景。",
+ "entities_description": "实体列表及其目标状态。",
+ "creates_a_new_scene": "创建一个新场景。",
+ "scene_id_description": "新场景的实体标识符。",
+ "scene_entity_id": "场景实体标识符",
+ "entities_snapshot": "实体快照",
+ "delete_description": "删除动态创建的场景。",
+ "activates_a_scene": "激活场景。",
"reload_themes_description": "从 YAML 配置重新加载主题。",
"reload_themes": "重新加载主题",
"name_of_a_theme": "主题名称。",
"set_the_default_theme": "设置默认主题",
+ "decrement_description": "将当前值递减 1 步。",
+ "increment_description": "将当前值增加 1 步。",
+ "reset_description": "将计数器重置为其初始值。",
+ "set_value_description": "设置数字的值。",
+ "check_configuration": "检查配置",
+ "reload_all": "全部重新加载",
+ "reload_config_entry_description": "重新加载指定的配置项。",
+ "config_entry_id": "配置项标识符",
+ "reload_config_entry": "重新加载配置项",
+ "reload_core_config_description": "从 YAML 配置重新加载核心配置。",
+ "reload_core_configuration": "重新加载核心配置",
+ "reload_custom_jinja_templates": "重新加载自定义 Jinja2 模板",
+ "restarts_home_assistant": "重新启动Home Assistant。",
+ "safe_mode_description": "禁用自定义集成和自定义卡片。",
+ "save_persistent_states": "保存持久状态",
+ "set_location_description": "更新Home Assistant位置。",
+ "elevation_description": "您所在位置的海拔高度。",
+ "latitude_of_your_location": "您所在位置的纬度。",
+ "longitude_of_your_location": "您所在位置的经度。",
+ "set_location": "设置位置",
+ "stops_home_assistant": "停止Home Assistant。",
+ "generic_toggle": "通用切换",
+ "generic_turn_off": "通用关闭",
+ "generic_turn_on": "通用开启",
+ "entities_to_update": "要更新的实体",
+ "update_entity": "更新实体",
+ "notify_description": "向选定的目标发送通知消息。",
+ "data": "数据",
+ "title_of_the_notification": "通知的标题。",
+ "send_a_persistent_notification": "发送持久通知",
+ "sends_a_notification_message": "发送通知消息。",
+ "your_notification_message": "你的通知消息。",
+ "title_description": "通知的标题(可选)。",
+ "send_a_notification_message": "发送通知消息",
+ "send_magic_packet": "发送魔术封包",
+ "topic_to_listen_to": "要监听的主题。",
+ "export": "导出",
+ "publish_description": "向 MQTT 主题发布消息。",
+ "evaluate_payload": "评估有效载荷",
+ "the_payload_to_publish": "要发布的有效载荷。",
+ "payload": "有效载荷",
+ "payload_template": "有效载荷模板",
+ "qos": "QoS",
+ "retain": "保持",
+ "topic_to_publish_to": "要发布到的主题。",
+ "publish": "发布",
+ "load_url_description": "在 Fully Kiosk 浏览器上加载 URL。",
+ "url_to_load": "要加载的 URL。",
+ "load_url": "加载 URL",
+ "configuration_parameter_to_set": "要设置的配置参数。",
+ "key": "钥匙",
+ "set_configuration": "设置配置",
+ "application_description": "要启动的应用程序的包名称。",
+ "start_application": "启动应用",
+ "battery_description": "设备的电池电量。",
+ "gps_coordinates": "GPS坐标",
+ "gps_accuracy_description": "GPS 坐标的准确性。",
+ "hostname_of_the_device": "设备的主机名。",
+ "hostname": "主机名",
+ "mac_description": "设备的 MAC 地址。",
+ "see": "查看",
+ "device_description": "要将命令发送到的设备标识符。",
+ "delete_command": "删除命令",
+ "alternative": "替代项",
+ "timeout_description": "学习命令超时。",
+ "learn_command": "学习命令",
+ "delay_seconds": "延迟秒数",
+ "hold_seconds": "保持秒数",
+ "repeats": "重复",
+ "send_command": "发送命令",
+ "sends_the_toggle_command": "发送切换命令。",
+ "turn_on_description": "启动新的清扫任务。",
+ "get_weather_forecast": "获取天气预报。",
+ "type_description": "预报类型:每天、每小时、每天两次",
+ "forecast_type": "预报类型",
+ "get_forecast": "获取预报",
+ "press_the_button_entity": "按下按钮实体。",
+ "enable_remote_access": "启用远程访问",
+ "disable_remote_access": "禁用远程访问",
+ "create_description": "在通知面板上显示一条通知。",
+ "notification_id": "通知标识符",
+ "dismiss_description": "删除通知面板中的一条通知。",
+ "notification_id_description": "要删除通知的标识符。",
+ "dismiss_all_description": "删除通知面板中的所有通知。",
+ "locate_description": "定位扫地机器人。",
+ "pauses_the_cleaning_task": "暂停清扫任务。",
+ "send_command_description": "发送命令给扫地机。",
+ "set_fan_speed": "设置风扇速度",
+ "start_description": "启动或恢复清扫任务。",
+ "start_pause_description": "启动、暂停或恢复清扫任务。",
+ "stop_description": "停止当前清扫任务。",
+ "toggle_description": "切换媒体播放器的打开/关闭状态。",
+ "play_chime_description": "在 Reolink Chime 上播放铃声。",
+ "target_chime": "目标铃",
+ "ringtone_to_play": "要播放的铃声。",
+ "ringtone": "铃声",
+ "play_chime": "播放铃声",
+ "ptz_move_description": "以特定速度移动摄像头。",
+ "ptz_move_speed": "云台移动速度。",
+ "ptz_move": "云台移动",
+ "disables_the_motion_detection": "禁用运动侦测。",
+ "disable_motion_detection": "禁用运动侦测",
+ "enables_the_motion_detection": "启用运动侦测。",
+ "enable_motion_detection": "启用运动侦测",
+ "format_description": "媒体播放器支持的流格式。",
+ "format": "格式",
+ "media_player_description": "要流式传输的媒体播放器。",
+ "play_stream": "播放流",
+ "filename_description": "文件名的完整路径。必须是 mp4 。",
+ "filename": "文件名",
+ "lookback": "回顾",
+ "snapshot_description": "从摄像头拍摄快照。",
+ "full_path_to_filename": "文件名的完整路径。",
+ "take_snapshot": "拍摄快照",
+ "turns_off_the_camera": "关闭摄像头。",
+ "turns_on_the_camera": "打开摄像头。",
+ "reload_resources_description": "从 YAML 配置重新加载仪表板资源。",
"clear_tts_cache": "清除 TTS 缓存",
"cache": "缓存",
"language_description": "文本的语言。默认为服务器语言。",
"options_description": "包含特定于集成的选项的字典。",
"say_a_tts_message": "说出 TTS 消息",
- "media_player_entity_id_description": "用于播放消息的媒体播放器。",
"media_player_entity": "媒体播放器实体",
"speak": "说话",
- "reload_resources_description": "从 YAML 配置重新加载仪表板资源。",
- "toggles_the_siren_on_off": "切换警报器的打开/关闭状态。",
- "turns_the_siren_off": "关闭警报器。",
- "turns_the_siren_on": "打开警报器。",
- "toggles_the_helper_on_off": "切换辅助元素的打开/关闭状态。",
- "turns_off_the_helper": "关闭辅助元素。",
- "turns_on_the_helper": "打开辅助元素。",
- "pauses_the_mowing_task": "暂停割草任务。",
- "starts_the_mowing_task": "启动割草任务。",
+ "send_text_command": "发送文本命令",
+ "the_target_value": "目标值。",
+ "removes_a_group": "移除一个组。",
+ "object_id": "对象标识符",
+ "creates_updates_a_group": "创建/更新用户组。",
+ "icon_description": "组的图标名称。",
+ "name_of_the_group": "组名称。",
+ "locks_a_lock": "锁上一把锁。",
+ "code_description": "用于设置布防的代码。",
+ "opens_a_lock": "打开一把锁。",
+ "unlocks_a_lock": "解开一把锁。",
+ "announce_description": "让卫星播报信息。",
+ "media_id": "媒体标识符",
+ "the_message_to_announce": "要播报的消息。",
+ "announce": "公告",
+ "reloads_the_automation_configuration": "重新加载自动化配置。",
+ "trigger_description": "触发某个自动化中的动作。",
+ "skip_conditions": "跳过条件",
+ "trigger": "触发器",
+ "disables_an_automation": "禁用自动化。",
+ "stops_currently_running_actions": "停止当前正在运行的动作。",
+ "stop_actions": "停止动作",
+ "enables_an_automation": "启用自动化。",
+ "deletes_all_log_entries": "删除所有日志条目。",
+ "write_log_entry": "写入日志条目。",
+ "log_level": "日志级别",
+ "message_to_log": "要记录到日志的消息。",
+ "write": "写入",
+ "dashboard_path": "仪表板路径",
+ "view_path": "查看路径",
+ "show_dashboard_view": "显示仪表板视图",
+ "process_description": "从转录文本启动一个对话。",
+ "conversation_id": "对话标识符",
+ "transcribed_text_input": "输入转录文本。",
+ "process": "处理",
+ "reloads_the_intent_configuration": "重新加载需要的配置。",
+ "conversation_agent_to_reload": "要重新加载的对话代理。",
+ "closes_a_cover": "关闭卷帘。",
+ "close_cover_tilt_description": "倾闭卷帘。",
+ "close_tilt": "关闭倾斜",
+ "opens_a_cover": "打开卷帘。",
+ "tilts_a_cover_open": "倾开卷帘。",
+ "open_tilt": "打开倾斜",
+ "set_cover_position_description": "移动卷帘到指定位置。",
+ "target_position": "目标位置。",
+ "set_position": "设定位置",
+ "target_tilt_positition": "目标倾斜位置。",
+ "set_tilt_position": "设置倾斜位置",
+ "stops_the_cover_movement": "停止卷帘的移动。",
+ "stop_cover_tilt_description": "停止卷帘的倾斜移动。",
+ "stop_tilt": "停止倾斜",
+ "toggles_a_cover_open_closed": "切换卷帘的打开/关闭状态。",
+ "toggle_cover_tilt_description": "切换卷帘的倾开/倾闭状态。",
+ "toggle_tilt": "切换倾斜",
+ "turns_auxiliary_heater_on_off": "打开/关闭辅助加热器。",
+ "aux_heat_description": "辅助加热器的新值。",
+ "turn_on_off_auxiliary_heater": "打开/关闭辅助加热器",
+ "sets_fan_operation_mode": "设置风扇运行模式。",
+ "fan_operation_mode": "风扇运行模式。",
+ "set_fan_mode": "设置风扇模式",
+ "sets_target_humidity": "设置目标湿度。",
+ "set_target_humidity": "设置目标湿度",
+ "sets_hvac_operation_mode": "设置暖通空调操作模式。",
+ "hvac_operation_mode": "暖通空调操作模式。",
+ "set_hvac_mode": "设置运行模式",
+ "sets_preset_mode": "设置预设模式。",
+ "set_swing_horizontal_mode_description": "设置水平摆动操作模式。",
+ "horizontal_swing_operation_mode": "水平摆动操作模式。",
+ "set_horizontal_swing_mode": "设置水平摆动模式",
+ "sets_swing_operation_mode": "设定摆动操作模式。",
+ "swing_operation_mode": "摆动操作方式。",
+ "set_swing_mode": "设置摆动模式",
+ "sets_the_temperature_setpoint": "设置温度设定值。",
+ "the_max_temperature_setpoint": "最高目标温度设定值。",
+ "the_min_temperature_setpoint": "最低目标温度设定值。",
+ "the_temperature_setpoint": "目标温度设定值。",
+ "set_target_temperature": "设置目标温度",
+ "turns_climate_device_off": "关闭空调设备。",
+ "turns_climate_device_on": "打开空调设备。",
+ "apply_filter": "应用过滤器",
+ "days_to_keep": "保留天数",
+ "repack": "重新打包",
+ "domains_to_remove": "要移除的域",
+ "entity_globs_to_remove": "要移除的实体通配符",
+ "entities_to_remove": "要移除的实体",
+ "purge_entities": "清除实体",
+ "clear_playlist_description": "从播放列表中移除所有项目。",
+ "clear_playlist": "清空播放列表",
+ "selects_the_next_track": "选择下一首曲目。",
+ "pauses": "暂停播放。",
+ "starts_playing": "开始播放。",
+ "toggles_play_pause": "切换播放/暂停状态。",
+ "selects_the_previous_track": "选择上一个曲目。",
+ "seek": "调整播放位置",
+ "stops_playing": "停止播放。",
+ "starts_playing_specified_media": "开始播放指定媒体。",
+ "enqueue": "加入队列",
+ "repeat_mode_to_set": "要设置的重复模式。",
+ "select_sound_mode_description": "选择指定的声音模式。",
+ "select_sound_mode": "选择声音模式",
+ "select_source": "选择输入源",
+ "shuffle_description": "是否启用随机播放模式。",
+ "unjoin": "取消加入",
+ "turns_down_the_volume": "调低音量。",
+ "turn_down_volume": "调低音量",
+ "volume_mute_description": "将媒体播放器静音或取消静音。",
+ "is_volume_muted_description": "是否要静音。",
+ "mute_unmute_volume": "静音/取消静音",
+ "sets_the_volume_level": "设置音量级别。",
+ "set_volume": "设置音量",
+ "turns_up_the_volume": "调高音量。",
+ "turn_up_volume": "调高音量",
"restarts_an_add_on": "重新启动加载项。",
"the_add_on_to_restart": "要重启的加载项。",
"restart_add_on": "重启加载项",
@@ -3227,37 +3706,6 @@
"restore_partial_description": "从部分备份还原。",
"restores_home_assistant": "还原 Home Assistant 。",
"restore_from_partial_backup": "从部分备份还原",
- "decrease_speed_description": "降低风扇速度。",
- "decrease_speed": "降低速度",
- "increase_speed_description": "提高风扇速度。",
- "increase_speed": "增速",
- "oscillate_description": "控制风扇的摇头。",
- "turns_oscillation_on_off": "打开/关闭摇头。",
- "set_direction_description": "设置风扇的旋转方向。",
- "direction_description": "风扇旋转的方向。",
- "set_direction": "设定方向",
- "set_percentage_description": "设置风扇的速度。",
- "speed_of_the_fan": "风扇的速度。",
- "percentage": "百分比",
- "set_speed": "设定速度",
- "sets_preset_fan_mode": "设置预设风扇模式。",
- "preset_fan_mode": "预设风扇模式。",
- "toggles_a_fan_on_off": "切换风扇的打开/关闭状态。",
- "turns_fan_off": "关闭风扇。",
- "turns_fan_on": "打开风扇。",
- "get_weather_forecast": "获取天气预报。",
- "type_description": "预报类型:每天、每小时、每天两次",
- "forecast_type": "预报类型",
- "get_forecast": "获取预报",
- "clear_skipped_update": "清除跳过的更新",
- "install_update": "安装更新",
- "skip_description": "将当前可用更新标记为已跳过。",
- "skip_update": "跳过更新",
- "code_description": "用于解开锁的密码。",
- "arm_with_custom_bypass": "自定义旁路布防",
- "alarm_arm_vacation_description": "设置警报为:度假布防。",
- "disarms_the_alarm": "解除警报。",
- "trigger_the_alarm_manually": "手动触发警报。",
"selects_the_first_option": "选择第一个选项。",
"first": "第一个",
"selects_the_last_option": "选择最后一个选项。",
@@ -3265,75 +3713,16 @@
"selects_an_option": "选择一个选项。",
"option_to_be_selected": "备选的选项。",
"selects_the_previous_option": "选择上一个选项。",
- "disables_the_motion_detection": "禁用运动侦测。",
- "disable_motion_detection": "禁用运动侦测",
- "enables_the_motion_detection": "启用运动侦测。",
- "enable_motion_detection": "启用运动侦测",
- "format_description": "媒体播放器支持的流格式。",
- "format": "格式",
- "media_player_description": "要流式传输的媒体播放器。",
- "play_stream": "播放流",
- "filename_description": "文件名的完整路径。必须是 mp4 。",
- "filename": "文件名",
- "lookback": "回顾",
- "snapshot_description": "从摄像头拍摄快照。",
- "full_path_to_filename": "文件名的完整路径。",
- "take_snapshot": "拍摄快照",
- "turns_off_the_camera": "关闭摄像头。",
- "turns_on_the_camera": "打开摄像头。",
- "press_the_button_entity": "按下按钮实体。",
+ "add_event_description": "添加新的日历事件。",
+ "location_description": "事件地点。可选。",
"start_date_description": "一天全部事件应开始的日期。",
+ "create_event": "创建事件",
"get_events": "获取事件",
- "sets_the_options": "设置选项。",
- "list_of_options": "选项列表。",
- "set_options": "设置选项",
- "closes_a_cover": "关闭卷帘。",
- "close_cover_tilt_description": "倾闭卷帘。",
- "close_tilt": "关闭倾斜",
- "opens_a_cover": "打开卷帘。",
- "tilts_a_cover_open": "倾开卷帘。",
- "open_tilt": "打开倾斜",
- "set_cover_position_description": "移动卷帘到指定位置。",
- "target_tilt_positition": "目标倾斜位置。",
- "set_tilt_position": "设置倾斜位置",
- "stops_the_cover_movement": "停止卷帘的移动。",
- "stop_cover_tilt_description": "停止卷帘的倾斜移动。",
- "stop_tilt": "停止倾斜",
- "toggles_a_cover_open_closed": "切换卷帘的打开/关闭状态。",
- "toggle_cover_tilt_description": "切换卷帘的倾开/倾闭状态。",
- "toggle_tilt": "切换倾斜",
- "request_sync_description": "向 Google 发送 request_sync 命令。",
- "agent_user_id": "代理用户 ID",
- "request_sync": "请求同步",
- "log_description": "在日志中创建自定义条目。",
- "message_description": "通知的消息正文。",
- "log": "记录日志",
- "enter_your_text": "请输入文本。",
- "set_value": "设定值",
- "topic_to_listen_to": "要监听的主题。",
- "export": "导出",
- "publish_description": "向 MQTT 主题发布消息。",
- "evaluate_payload": "评估有效载荷",
- "the_payload_to_publish": "要发布的有效载荷。",
- "payload": "有效载荷",
- "payload_template": "有效载荷模板",
- "qos": "QoS",
- "retain": "保持",
- "topic_to_publish_to": "要发布到的主题。",
- "publish": "发布",
- "reloads_the_automation_configuration": "重新加载自动化配置。",
- "trigger_description": "触发某个自动化中的动作。",
- "skip_conditions": "跳过条件",
- "disables_an_automation": "禁用自动化。",
- "stops_currently_running_actions": "停止当前正在运行的动作。",
- "stop_actions": "停止动作",
- "enables_an_automation": "启用自动化。",
- "enable_remote_access": "启用远程访问",
- "disable_remote_access": "禁用远程访问",
- "set_default_level_description": "设置集成的默认日志级别。",
- "level_description": "所有集成的默认严重性级别。",
- "set_default_level": "设置默认级别",
- "set_level": "设置级别",
+ "closes_a_valve": "关闭阀门。",
+ "opens_a_valve": "打开阀门。",
+ "set_valve_position_description": "将阀门移动到特定位置。",
+ "stops_the_valve_movement": "停止阀门运动。",
+ "toggles_a_valve_open_closed": "切换阀门的打开/关闭状态。",
"bridge_identifier": "网桥标识符",
"configuration_payload": "配置有效载荷",
"entity_description": "代表 deCONZ 中的指定设备端点。",
@@ -3341,78 +3730,31 @@
"device_refresh_description": "刷新 deCONZ 中的可用设备。",
"device_refresh": "刷新设备",
"remove_orphaned_entries": "删除孤立的条目",
- "locate_description": "定位扫地机器人。",
- "pauses_the_cleaning_task": "暂停清扫任务。",
- "send_command_description": "发送命令给扫地机。",
- "command_description": "发送到 Google Assistant 的命令。",
- "parameters": "参数",
- "set_fan_speed": "设置风扇速度",
- "start_description": "启动或恢复清扫任务。",
- "start_pause_description": "启动、暂停或恢复清扫任务。",
- "stop_description": "停止当前清扫任务。",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "切换开关的打开/关闭状态。",
- "turns_a_switch_off": "关闭开关。",
- "turns_a_switch_on": "打开开关。",
+ "calendar_id_description": "您想要的日历的标识符。",
+ "calendar_id": "日历标识符",
+ "description_description": "事件的描述。可选的。",
+ "summary_description": "作为事件的标题。",
"extract_media_url_description": "从服务中提取媒体网址。",
"format_query": "格式查询",
"url_description": "可以找到媒体的网址。",
"media_url": "媒体网址",
"get_media_url": "获取媒体网址",
"play_media_description": "从指定 URL 下载文件。",
- "notify_description": "向选定的目标发送通知消息。",
- "data": "数据",
- "title_of_the_notification": "通知的标题。",
- "send_a_persistent_notification": "发送持久通知",
- "sends_a_notification_message": "发送通知消息。",
- "your_notification_message": "你的通知消息。",
- "title_description": "通知的标题(可选)。",
- "send_a_notification_message": "发送通知消息",
- "process_description": "从转录文本启动一个对话。",
- "conversation_id": "对话标识符",
- "transcribed_text_input": "输入转录文本。",
- "process": "处理",
- "reloads_the_intent_configuration": "重新加载需要的配置。",
- "conversation_agent_to_reload": "要重新加载的对话代理。",
- "play_chime_description": "在 Reolink Chime 上播放铃声。",
- "target_chime": "目标铃",
- "ringtone_to_play": "要播放的铃声。",
- "ringtone": "铃声",
- "play_chime": "播放铃声",
- "ptz_move_description": "以特定速度移动摄像头。",
- "ptz_move_speed": "云台移动速度。",
- "ptz_move": "云台移动",
- "send_magic_packet": "发送魔术封包",
- "send_text_command": "发送文本命令",
- "announce_description": "让卫星播报信息。",
- "media_id": "媒体标识符",
- "the_message_to_announce": "要播报的消息。",
- "deletes_all_log_entries": "删除所有日志条目。",
- "write_log_entry": "写入日志条目。",
- "log_level": "日志级别",
- "message_to_log": "要记录到日志的消息。",
- "write": "写入",
- "locks_a_lock": "锁上一把锁。",
- "opens_a_lock": "打开一把锁。",
- "unlocks_a_lock": "解开一把锁。",
- "removes_a_group": "移除一个组。",
- "object_id": "对象标识符",
- "creates_updates_a_group": "创建/更新用户组。",
- "icon_description": "组的图标名称。",
- "name_of_the_group": "组名称。",
- "stops_a_running_script": "停止正在运行的脚本。",
- "create_description": "在通知面板上显示一条通知。",
- "notification_id": "通知标识符",
- "dismiss_description": "删除通知面板中的一条通知。",
- "notification_id_description": "要删除通知的标识符。",
- "dismiss_all_description": "删除通知面板中的所有通知。",
- "load_url_description": "在 Fully Kiosk 浏览器上加载 URL。",
- "url_to_load": "要加载的 URL。",
- "load_url": "加载 URL",
- "configuration_parameter_to_set": "要设置的配置参数。",
- "key": "钥匙",
- "set_configuration": "设置配置",
- "application_description": "要启动的应用程序的包名称。",
- "start_application": "启动应用"
+ "sets_the_options": "设置选项。",
+ "list_of_options": "选项列表。",
+ "set_options": "设置选项",
+ "arm_with_custom_bypass": "自定义旁路布防",
+ "alarm_arm_vacation_description": "设置警报为:度假布防。",
+ "disarms_the_alarm": "解除警报。",
+ "trigger_the_alarm_manually": "手动触发警报。",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "比预定时间提前完成正在运行的计时器。",
+ "duration_description": "重新启动计时器的自定义时长。",
+ "toggles_a_switch_on_off": "切换开关的打开/关闭状态。",
+ "turns_a_switch_off": "关闭开关。",
+ "turns_a_switch_on": "打开开关。"
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/locales/zh-Hant/zh-Hant.json b/packages/core/src/hooks/useLocale/locales/zh-Hant/zh-Hant.json
index 0464279d..3d43217e 100644
--- a/packages/core/src/hooks/useLocale/locales/zh-Hant/zh-Hant.json
+++ b/packages/core/src/hooks/useLocale/locales/zh-Hant/zh-Hant.json
@@ -213,6 +213,7 @@
"name": "名稱",
"optional": "選填",
"default": "預設",
+ "ui_common_dont_save": "不要儲存",
"choose_player": "選擇播放器",
"media_browse_not_supported": "播放器不支援瀏覽媒體。",
"pick_media": "選擇媒體",
@@ -241,6 +242,7 @@
"entity": "實體",
"floor": "樓層",
"icon": "圖示",
+ "location": "座標",
"number": "數字",
"object": "物件",
"rgb_color": "RGB 顏色",
@@ -614,8 +616,9 @@
"line_line_column_column": "行:{line}、列:{column}",
"last_changed": "上次變更",
"last_updated": "最後更新",
- "remaining_time": "剩餘時間",
+ "time_left": "剩餘時間",
"install_status": "安裝狀態",
+ "ui_components_multi_textfield_add_item": "新增 {item}",
"safe_mode": "安全模式",
"all_yaml_configuration": "所有 YAML 設定",
"domain": "實體類群",
@@ -710,6 +713,7 @@
"ui_dialogs_more_info_control_update_create_backup": "更新前建立備份",
"update_instructions": "更新說明",
"current_activity": "目前活動",
+ "status": "狀態 2",
"vacuum_cleaner_commands": "掃地機器人清掃指令:",
"clean_spot": "局部清掃",
"locate": "定位",
@@ -741,7 +745,7 @@
"default_code": "預設碼",
"editor_default_code_error": "代碼與格式不符",
"entity_id": "實體 ID",
- "unit_of_measurement": "測量單位",
+ "unit_of_measurement": "Unit of Measurement",
"precipitation_unit": "降雨量單位",
"display_precision": "顯示準確度",
"default_value": "預設 ({value})",
@@ -761,7 +765,7 @@
"cold": "冷",
"connectivity": "連線",
"gas": "瓦斯",
- "hot": "熱",
+ "heat": "暖氣",
"light": "燈光",
"moisture": "水氣",
"moving": "移動中",
@@ -820,7 +824,7 @@
"restart_home_assistant": "重啟 Home Assistant?",
"advanced_options": "進階設定",
"quick_reload": "快速重載",
- "reload_description": "重新載入所有可用腳本。",
+ "reload_description": "重新載入 YAML 設定計時器。",
"reloading_configuration": "重新載入設定",
"failed_to_reload_configuration": "重新載入設定失敗",
"restart_description": "中斷所有執行中的自動化與腳本。",
@@ -849,8 +853,8 @@
"password": "密碼",
"regex_pattern": "正規表示式",
"used_for_client_side_validation": "使用客戶端驗證",
- "minimum": "最小值",
- "maximum": "最大值",
+ "minimum_value": "Minimum Value",
+ "maximum_value": "Maximum Value",
"input_field": "輸入欄位",
"slider": "滑桿",
"step_size": "階段大小",
@@ -867,7 +871,7 @@
"system_options_for_integration": "{integration} 系統選項",
"enable_newly_added_entities": "啟用新增實體",
"enable_polling_for_changes": "開啟輪詢變更",
- "reconfiguring_device": "重新設定裝置",
+ "reconfigure_device": "重新設定裝置",
"configuring": "設定中",
"start_reconfiguration": "開始重新設定",
"device_reconfiguration_complete": "裝置設定完成。",
@@ -1165,7 +1169,7 @@
"ui_panel_lovelace_editor_edit_view_type_warning_sections": "目前尚未完成移轉功能,無法將畫布變更為「區塊」。若您想使用「區塊」類型的畫布,請建立新空白畫布。",
"card_configuration": "面板設定",
"type_card_configuration": "{type} 面板設定",
- "edit_card_pick_card": "選擇所要新增的面板?",
+ "add_to_dashboard": "新增至儀表板",
"toggle_editor": "切換編輯器",
"you_have_unsaved_changes": "有未儲存變更",
"edit_card_confirm_cancel": "確定要取消?",
@@ -1191,7 +1195,6 @@
"edit_badge_pick_badge": "選擇所要新增的實體章?",
"add_badge": "新增實體章",
"suggest_card_header": "已為您產生建議面板",
- "add_to_dashboard": "新增至儀表板",
"move_card_strategy_error_title": "無法移動面板",
"card_moved_successfully": "已成功移動面板",
"error_while_moving_card": "移動面板出現錯誤",
@@ -1314,7 +1317,9 @@
"days_to_show": "顯示天數",
"icon_height": "圖示高度",
"image_path": "影像路徑",
+ "maximum": "最大值",
"manual": "手動",
+ "minimum": "最小值",
"paste_from_clipboard": "由剪貼簿貼上",
"generic_paste_description": "由剪貼簿貼上 {type} 實體章",
"refresh_interval": "更新間隔",
@@ -1362,6 +1367,11 @@
"sensor": "感測器",
"graph_type": "圖像類別",
"hide_completed_items": "隱藏完成項目",
+ "ui_panel_lovelace_editor_card_todo_list_display_order": "顯示順序",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_asc": "按字母 (A-Z)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_alpha_desc": "按字母 (Z-A)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_asc": "截止日(最近優先)",
+ "ui_panel_lovelace_editor_card_todo_list_sort_modes_duedate_desc": "截止日(最新優先)",
"thermostat": "溫控器",
"thermostat_show_current_as_primary": "將目前溫度顯示為主要資訊",
"tile": "資訊方塊面板",
@@ -1429,7 +1439,7 @@
"customize_options": "自訂選項",
"numeric_input": "數值輸入",
"water_heater_operation_modes": "熱水器操作模式",
- "operation_modes": "操作模式",
+ "operation_mode": "操作模式",
"customize_operation_modes": "自訂操作模式",
"update_actions": "更新操作",
"ask": "詢問",
@@ -1464,134 +1474,115 @@
"invalid_display_format": "無效的顯示格式",
"compare_data": "比較數據",
"reload_ui": "重新載入 UI",
- "input_datetime": "輸入日期",
- "solis_inverter": "Solis Inverter",
- "scene": "Scene",
- "raspberry_pi": "Raspberry Pi",
- "restful_command": "RESTful Command",
- "timer": "計時器",
- "local_calendar": "本地端行事曆",
- "intent": "Intent",
- "device_tracker": "裝置追蹤器",
- "system_monitor": "System Monitor",
- "repairs": "Repairs",
- "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
- "home_assistant_websocket_api": "Home Assistant WebSocket API",
- "command_line": "Command Line",
+ "trace": "Trace",
+ "node_red_companion": "Node-RED Companion",
+ "input_boolean": "開關框",
+ "auth": "Auth",
+ "broadlink": "Broadlink",
+ "ring": "Ring",
"home_assistant_api": "Home Assistant API",
- "home_assistant_supervisor": "Home Assistant Supervisor",
- "fan": "風扇",
- "weather": "氣象",
- "camera": "攝影機",
- "schedule": "排程",
- "mqtt": "MQTT",
+ "dhcp_discovery": "DHCP Discovery",
+ "webhook": "Webhook",
+ "media_source": "Media Source",
+ "mobile_app": "手機 App",
+ "text_to_speech_tts": "Text-to-speech (TTS)",
+ "diagnostics": "診斷資料",
+ "filesize": "檔案大小",
+ "group": "群組",
+ "binary_sensor": "二進位感測器",
+ "ffmpeg": "FFmpeg",
"deconz": "deCONZ",
- "go_rtc": "go2rtc",
- "android_tv_remote": "Android TV Remote",
- "esphome": "ESPHome",
- "wyoming_protocol": "Wyoming Protocol",
- "conversation": "語音互動",
- "thread": "Thread",
- "http": "HTTP",
- "input_text": "輸入框",
- "valve": "閥門",
+ "google_calendar": "Google Calendar",
+ "input_select": "選擇框",
+ "device_automation": "Device Automation",
+ "person": "個人",
+ "input_button": "輸入按鈕",
+ "profiler": "Profiler",
"fitbit": "Fitbit",
+ "logger": "記錄器",
+ "fan": "送風",
+ "scene": "Scene",
+ "schedule": "排程",
"home_assistant_core_integration": "Home Assistant Core Integration",
- "climate": "溫控",
- "binary_sensor": "二進位感測器",
- "broadlink": "Broadlink",
+ "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "wake_on_lan": "Wake on LAN",
+ "mqtt": "MQTT",
+ "repairs": "Repairs",
+ "weather": "氣象",
+ "command_line": "Command Line",
+ "wake_word_detection": "Wake-word detection",
+ "android_tv_remote": "Android TV Remote",
+ "assist_satellite": "輔助衛星",
+ "system_log": "System Log",
+ "cover": "門簾",
"bluetooth_adapters": "Bluetooth Adapters",
- "daikin_ac": "Daikin AC",
- "device_automation": "Device Automation",
- "assist_pipeline": "Assist pipeline",
+ "valve": "閥門",
"network_configuration": "Network Configuration",
- "ffmpeg": "FFmpeg",
- "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
- "cover": "門簾",
- "samsungtv_smart": "SamsungTV Smart",
+ "speedtest_net": "Speedtest.net",
+ "ibeacon_tracker": "iBeacon Tracker",
+ "local_calendar": "本地端行事曆",
+ "tp_link_smart_home": "TP-Link Smart Home",
+ "siren": "警報",
+ "blueprint": "Blueprint",
+ "speech_to_text_stt": "Speech-to-text (STT)",
+ "switchbot_bluetooth": "SwitchBot Bluetooth",
+ "lawn_mower": "割草機",
+ "system_monitor": "System Monitor",
+ "image_upload": "Image Upload",
+ "home_assistant_onboarding": "Home Assistant Onboarding",
"google_assistant": "Google Assistant",
- "auth": "Auth",
+ "daikin_ac": "Daikin AC",
+ "fully_kiosk_browser": "Fully Kiosk Browser",
+ "device_tracker": "裝置追蹤器",
+ "remote": "遙控器",
"home_assistant_cloud": "Home Assistant Cloud",
- "speech_to_text_stt": "Speech-to-text (STT)",
- "wake_word_detection": "Wake-word detection",
- "node_red_companion": "Node-RED Companion",
+ "persistent_notification": "持續通知",
+ "vacuum": "掃地機器人",
+ "reolink": "Reolink",
+ "camera": "攝影機",
+ "hacs": "HACS",
"meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)",
- "my_home_assistant": "My Home Assistant",
"google_assistant_sdk": "Google Assistant SDK",
- "system_log": "System Log",
- "persistent_notification": "持續通知",
- "trace": "Trace",
- "remote": "遙控器",
- "tp_link_smart_home": "TP-Link Smart Home",
- "counter": "計數器",
- "filesize": "檔案大小",
- "image_upload": "Image Upload",
+ "samsungtv_smart": "SamsungTV Smart",
+ "input_number": "數字框",
+ "google_cast": "Google Cast",
+ "rpi_power_title": "Raspberry Pi 電源供應檢查工具",
+ "conversation": "語音互動",
+ "intent": "Intent",
+ "go_rtc": "go2rtc",
+ "climate": "溫控",
"recorder": "Recorder",
- "home_assistant_onboarding": "Home Assistant Onboarding",
- "profiler": "Profiler",
- "text_to_speech_tts": "Text-to-speech (TTS)",
- "webhook": "Webhook",
- "hacs": "HACS",
- "input_boolean": "開關框",
- "lawn_mower": "割草機",
+ "home_assistant_supervisor": "Home Assistant Supervisor",
+ "wyoming_protocol": "Wyoming Protocol",
+ "usb_discovery": "USB Discovery",
+ "home_assistant_alerts": "Home Assistant Alerts",
"alarm_control_panel": "警戒控制面板",
- "input_select": "選擇框",
- "media_source": "Media Source",
- "ibeacon_tracker": "iBeacon Tracker",
- "mobile_app": "手機 App",
+ "timer": "計時器",
+ "zigbee_home_automation": "Zigbee Home Automation",
+ "input_datetime": "輸入日期",
+ "default_config": "Default Config",
+ "home_assistant_frontend": "Home Assistant Frontend",
+ "counter": "計數器",
+ "home_assistant_websocket_api": "Home Assistant WebSocket API",
+ "configuration": "Configuration",
+ "thread": "Thread",
+ "bluetooth": "藍牙",
+ "raspberry_pi": "Raspberry Pi",
+ "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)",
+ "restful_command": "RESTful Command",
+ "ssdp_title": "Simple Service Discovery Protocol (SSDP)",
+ "application_credentials": "應用憑證",
+ "my_home_assistant": "My Home Assistant",
+ "solis_inverter": "Solis Inverter",
+ "esphome": "ESPHome",
+ "http": "HTTP",
"media_extractor": "Media Extractor",
- "dlna_digital_media_renderer": "DLNA Digital Media Renderer",
+ "stream": "Stream",
"shelly": "Shelly",
- "group": "群組",
- "switchbot_bluetooth": "SwitchBot Bluetooth",
- "fully_kiosk_browser": "Fully Kiosk Browser",
- "google_cast": "Google Cast",
- "home_assistant_alerts": "Home Assistant Alerts",
- "diagnostics": "診斷資料",
- "person": "個人",
+ "assist_pipeline": "Assist pipeline",
+ "input_text": "輸入框",
"localtuya": "LocalTuya integration",
- "blueprint": "Blueprint",
- "input_number": "數字框",
- "google_calendar": "Google Calendar",
- "usb_discovery": "USB Discovery",
- "home_assistant_frontend": "Home Assistant Frontend",
- "stream": "Stream",
- "application_credentials": "應用憑證",
- "siren": "警報",
- "bluetooth": "藍牙",
- "logger": "記錄器",
- "input_button": "輸入按鈕",
- "vacuum": "掃地機器人",
- "reolink": "Reolink",
- "dhcp_discovery": "DHCP Discovery",
- "wake_on_lan": "Wake on LAN",
- "rpi_power_title": "Raspberry Pi 電源供應檢查工具",
- "assist_satellite": "輔助衛星",
- "ring": "Ring",
- "configuration": "Configuration",
"file_upload": "File Upload",
- "speedtest_net": "Speedtest.net",
- "default_config": "Default Config",
- "activity_calories": "活動卡路里",
- "awakenings_count": "睡醒次數",
- "bmi": "BMI",
- "body_fat": "體脂",
- "calories": "卡路里",
- "calories_bmr": "卡路里基礎代謝率",
- "calories_in": "卡路里含量",
- "minutes_after_wakeup": "甦醒分鐘數",
- "minutes_fairly_active": "一般活躍分鐘數",
- "minutes_lightly_active": "輕活躍分鐘數",
- "minutes_sedentary": "久坐分鐘數",
- "minutes_very_active": "極活躍分鐘數",
- "resting_heart_rate": "靜止心率",
- "sleep_efficiency": "睡眠效率",
- "sleep_minutes_asleep": "睡眠分鐘數",
- "sleep_minutes_awake": "睡眠清醒分鐘數",
- "sleep_minutes_to_fall_asleep_name": "入睡所需分鐘數",
- "sleep_start_time": "睡眠開始時間",
- "sleep_time_in_bed": "床上睡眠時間",
- "steps": "步數",
"battery_low": "電量低",
"cloud_connection": "雲端連線",
"humidity_warning": "濕度警告",
@@ -1644,30 +1635,16 @@
"motion_sensor": "動作感測器",
"smooth_transitions": "平順轉換",
"tamper_detection": "篡改感測",
- "next_dawn": "下次清晨",
- "next_dusk": "下次黃昏",
- "next_midnight": "下次午夜",
- "next_noon": "下次正午",
- "next_rising": "下次日出",
- "next_setting": "下次日落",
- "solar_azimuth": "太陽方位",
- "solar_elevation": "太陽高度",
- "solar_rising": "太陽升起",
- "illuminance": "照度",
- "noise": "雜訊",
- "overload": "過載",
- "working_location": "工作地點",
- "created": "建立於",
- "size": "大小",
- "size_in_bytes": "大小(Bytes)",
- "compressor_energy_consumption": "壓縮機能耗",
- "compressor_estimated_power_consumption": "壓縮機預估功耗",
- "compressor_frequency": "壓縮機頻率",
- "cool_energy_consumption": "製冷能消耗",
- "energy_consumption": "能源耗能",
- "heat_energy_consumption": "熱能消耗",
- "inside_temperature": "室內溫度",
- "outside_temperature": "戶外溫度",
+ "calibration": "校正",
+ "auto_lock_paused": "自動上鎖已暫停",
+ "timeout": "逾時",
+ "unclosed_alarm": "未關閉警報",
+ "unlocked_alarm": "未上鎖警報",
+ "bluetooth_signal": "藍牙訊號",
+ "light_level": "光線等級",
+ "wi_fi_signal": "Wi-Fi 訊號",
+ "momentary": "瞬間",
+ "pull_retract": "拉動/收回",
"process_process": "{process} 處理程序",
"disk_free_mount_point": "{mount_point} 可用空間",
"disk_use_mount_point": "{mount_point} 已使用空間",
@@ -1689,32 +1666,73 @@
"swap_usage": "暫存使用率",
"network_throughput_in_interface": "{interface} 網路下行吞吐量",
"network_throughput_out_interface": "{interface} 網路上行吞吐量",
- "pre_release": "Pre-release",
- "no_pre_releases": "No pre-releases",
- "pre_releases_preferred": "Pre-releases preferred",
- "assist_in_progress": "助理進行中",
- "preferred": "首選",
- "finished_speaking_detection": "語音完成偵測",
- "aggressive": "活力",
- "relaxed": "放鬆",
- "os_agent_version": "OS Agent 版本",
- "apparmor_version": "Apparmor 版本",
- "cpu_percent": "CPU 百分比",
- "disk_free": "可用空間",
- "disk_total": "總容量",
- "disk_used": "已使用空間",
- "memory_percent": "記憶體百分比",
- "version": "版本",
- "newest_version": "最新版本",
+ "illuminance": "照度",
+ "noise": "雜訊",
+ "overload": "過載",
+ "activity_calories": "活動卡路里",
+ "awakenings_count": "睡醒次數",
+ "bmi": "BMI",
+ "body_fat": "體脂",
+ "calories": "卡路里",
+ "calories_bmr": "卡路里基礎代謝率",
+ "calories_in": "卡路里含量",
+ "minutes_after_wakeup": "甦醒分鐘數",
+ "minutes_fairly_active": "一般活躍分鐘數",
+ "minutes_lightly_active": "輕活躍分鐘數",
+ "minutes_sedentary": "久坐分鐘數",
+ "minutes_very_active": "極活躍分鐘數",
+ "resting_heart_rate": "靜止心率",
+ "sleep_efficiency": "睡眠效率",
+ "sleep_minutes_asleep": "睡眠分鐘數",
+ "sleep_minutes_awake": "睡眠清醒分鐘數",
+ "sleep_minutes_to_fall_asleep_name": "入睡所需分鐘數",
+ "sleep_start_time": "睡眠開始時間",
+ "sleep_time_in_bed": "床上睡眠時間",
+ "steps": "步數",
"synchronize_devices": "同步裝置",
- "estimated_distance": "預估距離",
- "vendor": "廠商",
- "mute": "靜音",
- "wake_word": "喚醒詞",
- "okay_nabu": "Okay Nabu",
- "auto_gain": "自動增益",
+ "ding": "門鈴",
+ "last_recording": "上次錄影",
+ "intercom_unlock": "對講解鎖",
+ "doorbell_volume": "門鈴音量",
"mic_volume": "麥克風音量",
- "noise_suppression_level": "噪音抑制等級",
+ "voice_volume": "語音音量",
+ "last_activity": "上次活動",
+ "last_ding": "最後的叮噹聲",
+ "last_motion": "最後一項运动",
+ "wi_fi_signal_category": "Wi-Fi信號類別",
+ "wi_fi_signal_strength": "Wi-Fi 信號強度",
+ "in_home_chime": "居家鈴聲",
+ "compressor_energy_consumption": "壓縮機能耗",
+ "compressor_estimated_power_consumption": "壓縮機預估功耗",
+ "compressor_frequency": "壓縮機頻率",
+ "cool_energy_consumption": "製冷能消耗",
+ "energy_consumption": "能源耗能",
+ "heat_energy_consumption": "熱能消耗",
+ "inside_temperature": "室內溫度",
+ "outside_temperature": "戶外溫度",
+ "device_admin": "裝置管理員",
+ "kiosk_mode": "機台模式",
+ "plugged_in": "已插入",
+ "load_start_url": "載入起始 URL",
+ "restart_browser": "重啟瀏覽器",
+ "restart_device": "重啟裝置",
+ "send_to_background": "傳送至後台",
+ "bring_to_foreground": "切還回前台",
+ "screenshot": "截圖",
+ "overlay_message": "覆蓋訊息",
+ "screen_brightness": "螢幕亮度",
+ "screen_off_timer": "螢幕關閉計時器",
+ "screensaver_brightness": "螢幕保護亮度",
+ "screensaver_timer": "螢幕保護計時器",
+ "current_page": "目前頁面",
+ "foreground_app": "前台應用程式",
+ "internal_storage_free_space": "內部儲存可用容量",
+ "internal_storage_total_space": "內部儲存總容量",
+ "total_memory": "總記憶體",
+ "screen_orientation": "螢幕顯示方向",
+ "kiosk_lock": "機台模式鎖定",
+ "maintenance_mode": "維護模式",
+ "screensaver": "螢幕保護",
"animal": "動物",
"detected": "已觸發",
"animal_lens": "動物鏡頭 1",
@@ -1837,7 +1855,6 @@
"ptz_pan_position": "PTZ 雲台位置",
"ptz_tilt_position": "雲台傾斜角度",
"sd_hdd_index_storage": "SD {hdd_index} 儲存",
- "wi_fi_signal": "Wi-Fi 訊號",
"auto_focus": "自動對焦",
"auto_tracking": "自動追蹤",
"doorbell_button_sound": "門鈴按鈕音效",
@@ -1854,6 +1871,48 @@
"record": "錄影",
"record_audio": "錄製聲音",
"siren_on_event": "事件警報器",
+ "pre_release": "Pre-release",
+ "no_pre_releases": "No pre-releases",
+ "pre_releases_preferred": "Pre-releases preferred",
+ "created": "建立於",
+ "size": "大小",
+ "size_in_bytes": "大小(Bytes)",
+ "assist_in_progress": "助理進行中",
+ "mute": "靜音",
+ "preferred": "首選",
+ "finished_speaking_detection": "語音完成偵測",
+ "aggressive": "活力",
+ "relaxed": "放鬆",
+ "wake_word": "喚醒詞",
+ "okay_nabu": "Okay Nabu",
+ "os_agent_version": "OS Agent 版本",
+ "apparmor_version": "Apparmor 版本",
+ "cpu_percent": "CPU 百分比",
+ "disk_free": "可用空間",
+ "disk_total": "總容量",
+ "disk_used": "已使用空間",
+ "memory_percent": "記憶體百分比",
+ "version": "版本",
+ "newest_version": "最新版本",
+ "auto_gain": "自動增益",
+ "noise_suppression_level": "噪音抑制等級",
+ "bytes_received": "已接收位元組",
+ "server_country": "伺服器國家",
+ "server_id": "伺服器 ID",
+ "server_name": "伺服器名稱",
+ "ping": "Ping",
+ "upload": "上傳",
+ "bytes_sent": "已傳送位元組",
+ "working_location": "工作地點",
+ "next_dawn": "下次清晨",
+ "next_dusk": "下次黃昏",
+ "next_midnight": "下次午夜",
+ "next_noon": "下次正午",
+ "next_rising": "下次日出",
+ "next_setting": "下次日落",
+ "solar_azimuth": "太陽方位",
+ "solar_elevation": "太陽高度",
+ "solar_rising": "太陽升起",
"heavy": "嚴重",
"mild": "輕微",
"button_down": "按鈕下",
@@ -1868,68 +1927,246 @@
"warm_up": "熱機",
"not_completed": "未完成",
"checking": "檢查中",
- "ding": "門鈴",
- "last_recording": "上次錄影",
- "intercom_unlock": "對講解鎖",
- "doorbell_volume": "門鈴音量",
- "voice_volume": "語音音量",
- "last_activity": "上次活動",
- "last_ding": "最後的叮噹聲",
- "last_motion": "最後一項运动",
- "wi_fi_signal_category": "Wi-Fi信號類別",
- "wi_fi_signal_strength": "Wi-Fi 信號強度",
- "in_home_chime": "居家鈴聲",
- "calibration": "校正",
- "auto_lock_paused": "自動上鎖已暫停",
- "timeout": "逾時",
- "unclosed_alarm": "未關閉警報",
- "unlocked_alarm": "未上鎖警報",
- "bluetooth_signal": "藍牙訊號",
- "light_level": "光線等級",
- "momentary": "瞬間",
- "pull_retract": "拉動/收回",
- "bytes_received": "已接收位元組",
- "server_country": "伺服器國家",
- "server_id": "伺服器 ID",
- "server_name": "伺服器名稱",
- "ping": "Ping",
- "upload": "上傳",
- "bytes_sent": "已傳送位元組",
- "device_admin": "裝置管理員",
- "kiosk_mode": "機台模式",
- "plugged_in": "已插入",
- "load_start_url": "載入起始 URL",
- "restart_browser": "重啟瀏覽器",
- "restart_device": "重啟裝置",
- "send_to_background": "傳送至後台",
- "bring_to_foreground": "切還回前台",
- "screenshot": "截圖",
- "overlay_message": "覆蓋訊息",
- "screen_brightness": "螢幕亮度",
- "screen_off_timer": "螢幕關閉計時器",
- "screensaver_brightness": "螢幕保護亮度",
- "screensaver_timer": "螢幕保護計時器",
- "current_page": "目前頁面",
- "foreground_app": "前台應用程式",
- "internal_storage_free_space": "內部儲存可用容量",
- "internal_storage_total_space": "內部儲存總容量",
- "total_memory": "總記憶體",
- "screen_orientation": "螢幕顯示方向",
- "kiosk_lock": "機台模式鎖定",
- "maintenance_mode": "維護模式",
- "screensaver": "螢幕保護",
- "last_scanned_by_device_id_name": "上回掃描裝置 ID",
- "tag_id": "標籤 ID",
- "managed_via_ui": "透過 UI 管理",
- "pattern": "圖案",
- "minute": "分",
- "second": "秒",
- "timestamp": "時間戳記",
+ "estimated_distance": "預估距離",
+ "vendor": "廠商",
+ "accelerometer": "加速計",
+ "binary_input": "二進位輸入",
+ "calibrated": "已校正",
+ "consumer_connected": "消費者已連接",
+ "external_sensor": "外部感測器",
+ "frost_lock": "冰霜鎖",
+ "opened_by_hand": "以手動開啟",
+ "heat_required": "需要加熱",
+ "ias_zone": "IAS 分區",
+ "linkage_alarm_state": "聯動警報狀態",
+ "mounting_mode_active": "安裝方式已啟動",
+ "open_window_detection_status": "開窗偵測狀態",
+ "pre_heat_status": "預熱狀態",
+ "replace_filter": "更換過濾器",
+ "valve_alarm": "閥門警報",
+ "open_window_detection": "開窗偵測",
+ "feed": "餵食",
+ "frost_lock_reset": "冰霜鎖重置",
+ "presence_status_reset": "在場狀態重置",
+ "reset_summation_delivered": "重置總和已傳送",
+ "self_test": "自我檢測",
+ "keen_vent": "Keen 通風孔",
+ "fan_group": "風扇群組",
+ "light_group": "燈光群組",
+ "ambient_sensor_correction": "環境感測器校正",
+ "approach_distance": "接近距離",
+ "automatic_switch_shutoff_timer": "自動開關關閉定時器",
+ "away_preset_temperature": "離家預置溫度",
+ "boost_amount": "加速量",
+ "button_delay": "按鈕延遲",
+ "local_default_dimming_level": "本地預設調光等級",
+ "remote_default_dimming_level": "遠端預設調光等級",
+ "default_move_rate": "預設移動速率",
+ "detection_delay": "偵測延遲",
+ "maximum_range": "最大範圍",
+ "minimum_range": "最小範圍",
+ "detection_interval": "偵測間隔",
+ "local_dimming_down_speed": "本地調光降低速度",
+ "remote_dimming_down_speed": "遠端調光降低速度",
+ "local_dimming_up_speed": "本地調光提高速度",
+ "remote_dimming_up_speed": "遠端調光提高速度",
+ "display_activity_timeout": "顯示活動逾時",
+ "display_brightness": "顯示亮度",
+ "display_inactive_brightness": "顯示非活動亮度",
+ "double_tap_down_level": "雙點擊向下等級",
+ "double_tap_up_level": "雙點擊向上等級",
+ "exercise_start_time": "運用開始時間",
+ "external_sensor_correction": "外部感測器修正",
+ "external_temperature_sensor": "外部溫度感測器",
+ "fading_time": "衰落時間",
+ "fallback_timeout": "應變逾時",
+ "filter_life_time": "過濾器壽命",
+ "fixed_load_demand": "固定負載需求",
+ "frost_protection_temperature": "防凍保護溫度",
+ "irrigation_cycles": "灌溉週期",
+ "irrigation_interval": "灌溉間隔",
+ "irrigation_target": "灌溉目標",
+ "led_color_when_off_name": "預設所有 LED 關閉色溫",
+ "led_color_when_on_name": "預設所有 LED 開啟色溫",
+ "led_intensity_when_off_name": "預設所有 LED 關閉強度",
+ "led_intensity_when_on_name": "預設所有 LED 開啟強度",
+ "load_level_indicator_timeout": "負載水平指示器逾時",
+ "load_room_mean": "載入房間平均值",
+ "local_temperature_offset": "本地溫度偏移調整",
+ "max_heat_setpoint_limit": "最高熱目標值限制",
+ "maximum_load_dimming_level": "最高負載調光等級",
+ "min_heat_setpoint_limit": "最低熱目標值限制",
+ "minimum_load_dimming_level": "最低負載調光等級",
+ "off_led_intensity": "關閉 LED 亮度",
+ "off_transition_time": "關閉轉換時間",
+ "on_led_intensity": "開啟 LED 亮度",
+ "on_level": "開啟等級",
+ "on_off_transition_time": "開/關轉換時間",
+ "on_transition_time": "開啟轉換時間",
+ "open_window_detection_guard_period_name": "開窗檢測防護週期",
+ "open_window_detection_threshold": "開窗檢測閾值",
+ "open_window_event_duration": "開窗事件持續時間",
+ "portion_weight": "部分重量",
+ "presence_detection_timeout": "存在偵測逾時",
+ "presence_sensitivity": "存在敏感度",
+ "fade_time": "淡入淡出時間",
+ "quick_start_time": "快速啟動時間",
+ "ramp_rate_off_to_on_local_name": "本地變動率關至開",
+ "ramp_rate_off_to_on_remote_name": "遠端變動率關至開",
+ "ramp_rate_on_to_off_local_name": "本地變動率開至關",
+ "ramp_rate_on_to_off_remote_name": "遠端變動率開至關",
+ "regulation_setpoint_offset": "調節目標值偏移",
+ "regulator_set_point": "調節器目標值",
+ "serving_to_dispense": "服務分配",
+ "siren_time": "警報時間",
+ "start_up_color_temperature": "啟動色溫",
+ "start_up_current_level": "啟動電流等級",
+ "start_up_default_dimming_level": "啟動預設調光等級",
+ "timer_duration": "計時器持續時間",
+ "timer_time_left": "計時器剩餘時間",
+ "transmit_power": "發射功率",
+ "valve_closing_degree": "閥門關閉角度",
+ "irrigation_time": "灌溉時間 2",
+ "valve_opening_degree": "閥門開啟角度",
+ "adaptation_run_command": "適應執行命令",
+ "backlight_mode": "背光模式",
+ "click_mode": "點擊模式",
+ "control_type": "控制類型",
+ "decoupled_mode": "無線開關模式",
+ "default_siren_level": "預設警報等級",
+ "default_siren_tone": "預設警報音調",
+ "default_strobe": "預設閃爍",
+ "default_strobe_level": "預設閃爍等級",
+ "detection_distance": "偵測距離",
+ "exercise_day_of_week_name": "每週運用日",
+ "external_temperature_sensor_type": "外部溫度感測器類型",
+ "external_trigger_mode": "外部觸發模式",
+ "heat_transfer_medium": "熱傳遞介質",
+ "heating_emitter_type": "供暖發射器類型",
+ "heating_fuel": "供暖燃料",
+ "non_neutral_output": "非中性輸出",
+ "irrigation_mode": "灌溉模式",
+ "keypad_lockout": "鍵盤鎖定",
+ "dimming_mode": "調光模式",
+ "led_scaling_mode": "LED 縮放模式",
+ "local_temperature_source": "本地溫度來源",
+ "monitoring_mode": "監控模式",
+ "off_led_color": "關閉 LED 顏色",
+ "on_led_color": "開啟 LED 顏色",
+ "output_mode": "輸出模式",
+ "power_on_state": "通電狀態",
+ "regulator_period": "調節器週期",
+ "sensor_mode": "感測器模式",
+ "setpoint_response_time": "目標值回應時間",
+ "smart_fan_led_display_levels_name": "智慧風扇 LED 顯示等級",
+ "start_up_behavior": "啟動行為",
+ "switch_mode": "開關模式",
+ "switch_type": "開關類型",
+ "thermostat_application": "溫控器應用程式",
+ "thermostat_mode": "溫控模式",
+ "valve_orientation": "閥門方向",
+ "viewing_direction": "查看方向",
+ "weather_delay": "天氣延誤",
+ "curtain_mode": "窗簾模式",
+ "ac_frequency": "交流頻率",
+ "adaptation_run_status": "適應執行狀態",
+ "in_progress": "進行中",
+ "run_successful": "執行成功",
+ "valve_characteristic_lost": "閥門特性遺失",
+ "analog_input": "類比輸入",
+ "control_status": "控制狀態",
+ "device_run_time": "裝置執行時間",
+ "device_temperature": "裝置溫度",
+ "target_distance": "目標距離",
+ "filter_run_time": "濾網執行時間",
+ "formaldehyde_concentration": "甲醛濃度",
+ "hooks_state": "掛鉤狀態",
+ "hvac_action": "HVAC 動作",
+ "instantaneous_demand": "瞬間需求",
+ "internal_temperature": "內部溫度",
+ "irrigation_duration": "灌溉持續時間 1",
+ "last_irrigation_duration": "上次灌溉持續時間",
+ "irrigation_end_time": "灌溉結束時間",
+ "irrigation_start_time": "灌溉開始時間",
+ "last_feeding_size": "最後餵食份量",
+ "last_feeding_source": "最後餵食來源",
+ "last_illumination_state": "上次照明狀態",
+ "last_valve_open_duration": "上次閥門開啟持續時間",
+ "leaf_wetness": "葉片濕度",
+ "load_estimate": "負載預估",
+ "floor_temperature": "樓層溫度",
+ "lqi": "LQI",
+ "motion_distance": "移動距離",
+ "motor_stepcount": "馬達步數",
+ "open_window_detected": "偵測到打開窗戶",
+ "overheat_protection": "過熱保護",
+ "pi_heating_demand": "Pi 加熱需求",
+ "portions_dispensed_today": "今天分配部分",
+ "pre_heat_time": "預熱時間",
+ "rssi": "RSSI",
+ "self_test_result": "自我檢測結果",
+ "setpoint_change_source": "目標值變更來源",
+ "smoke_density": "煙霧密度",
+ "software_error": "軟體錯誤",
+ "good": "良好",
+ "critical_low_battery": "電池電量嚴重不足",
+ "encoder_jammed": "編碼器卡住",
+ "invalid_clock_information": "時脈資訊無效",
+ "invalid_internal_communication": "內部通訊無效",
+ "low_battery": "低電量",
+ "motor_error": "馬達錯誤",
+ "non_volatile_memory_error": "非揮發性記憶體錯誤",
+ "radio_communication_error": "無線電通訊錯誤",
+ "side_pcb_sensor_error": "側面 PCB 感測器錯誤",
+ "top_pcb_sensor_error": "頂部 PCB 感測器錯誤",
+ "unknown_hw_error": "未知 HW 錯誤",
+ "soil_moisture": "土壤水分",
+ "summation_delivered": "總結已傳遞",
+ "summation_received": "已收到總結",
+ "tier_summation_delivered": "第 6 級總結已傳遞",
+ "timer_state": "計時器狀態",
+ "weight_dispensed_today": "今日分配重量",
+ "window_covering_type": "窗簾類型",
+ "adaptation_run_enabled": "適應執行已開啟",
+ "aux_switch_scenes": "輔助開關場景",
+ "binding_off_to_on_sync_level_name": "綁定關閉至同步等級",
+ "buzzer_manual_alarm": "蜂鳴器手動警報",
+ "buzzer_manual_mute": "蜂鳴器手動靜音",
+ "detach_relay": "斷開繼電器",
+ "disable_clear_notifications_double_tap_name": "關閉設定點擊 2 次以清除通知",
+ "disable_led": "關閉 LED",
+ "double_tap_down_enabled": "雙點擊向下啟用",
+ "double_tap_up_enabled": "雙點擊向上啟用",
+ "double_up_full_name": "雙擊開啟 - 完整",
+ "enable_siren": "開啟警報",
+ "external_window_sensor": "外部窗戶感測器",
+ "distance_switch": "距離開關",
+ "firmware_progress_led": "韌體進度 LED",
+ "heartbeat_indicator": "心跳指示",
+ "heat_available": "加熱可用",
+ "hooks_locked": "掛鉤已鎖定",
+ "invert_switch": "倒置開關",
+ "inverted": "倒置",
+ "led_indicator": "LED 指示燈",
+ "linkage_alarm": "聯動警報",
+ "local_protection": "區域保護",
+ "mounting_mode": "安裝方式",
+ "only_led_mode": "僅單 1 個 LED 模式",
+ "open_window": "開啟窗戶",
+ "power_outage_memory": "斷電記憶",
+ "prioritize_external_temperature_sensor": "優先使用外部溫度感測器",
+ "relay_click_in_on_off_mode_name": "於開關模式下關閉繼電器按壓",
+ "smart_bulb_mode": "智能燈泡模式",
+ "smart_fan_mode": "智慧風扇模式",
+ "led_trigger_indicator": "LED 觸發指示",
+ "turbo_mode": "全速模式",
+ "use_internal_window_detection": "使用內部視窗偵測",
+ "use_load_balancing": "使用負載平衡",
+ "valve_detection": "閥門偵測",
+ "window_detection": "窗戶偵測",
+ "invert_window_detection": "倒置窗戶偵測",
+ "available_tones": "可用音調",
"gps_accuracy": "GPS 精准度",
- "paused": "已暫停",
- "finishes_at": "完成於",
- "remaining": "剩餘",
- "restore": "回復",
"last_reset": "上次重置",
"possible_states": "可能狀態",
"state_class": "狀態類別",
@@ -1961,68 +2198,12 @@
"sound_pressure": "聲壓",
"speed": "轉速",
"sulphur_dioxide": "二氧化硫",
+ "timestamp": "時間戳記",
"vocs": "VOC",
"volume_flow_rate": "體積流率",
"stored_volume": "儲存量",
"weight": "重量",
- "cool": "冷氣",
- "fan_only": "僅送風",
- "heat_cool": "暖氣/冷氣",
- "aux_heat": "輔助暖氣",
- "current_humidity": "目前濕度",
- "current_temperature": "Current Temperature",
- "diffuse": "發散",
- "current_action": "目前動作",
- "defrosting": "除霜",
- "heating": "暖氣",
- "preheating": "預熱中",
- "max_target_humidity": "最高設定濕度",
- "max_target_temperature": "最高設定溫度",
- "min_target_humidity": "最低設定濕度",
- "min_target_temperature": "最低設定溫度",
- "boost": "全速",
- "comfort": "舒適",
- "eco": "節能",
- "sleep": "睡眠",
- "all": "全部",
- "horizontal": "水平擺動",
- "upper_target_temperature": "較高設定溫度",
- "lower_target_temperature": "較低設定溫度",
- "target_temperature_step": "設定溫度步驟",
- "step": "階段",
- "not_charging": "未在充電",
- "disconnected": "已斷線",
- "connected": "已連線",
- "no_light": "無光",
- "light_detected": "有光",
- "locked": "已上鎖",
- "unlocked": "已解鎖",
- "not_moving": "未在移動",
- "unplugged": "未插入",
- "not_running": "未執行",
- "unsafe": "危險",
- "tampering_detected": "檢測到篡改",
- "box": "勾選盒",
- "above_horizon": "日出",
- "buffering": "緩衝",
- "playing": "播放中",
- "app_id": "App ID",
- "local_accessible_entity_picture": "本地可存取實體圖片",
- "group_members": "群組成員",
- "album_artist": "專輯藝人",
- "content_id": "內容 ID",
- "content_type": "內容類型",
- "position_updated": "位置已更新",
- "series": "系列",
- "one": "單次",
- "available_sound_modes": "可用音效模式",
- "available_sources": "可用來源",
- "receiver": "接收器",
- "speaker": "揚聲器",
- "tv": "電視",
- "bluetooth_le": "藍牙 BLE",
- "gps": "GPS",
- "router": "路由器",
+ "managed_via_ui": "透過 UI 管理",
"color_mode": "Color Mode",
"brightness_only": "僅亮度",
"hs": "HS",
@@ -2038,18 +2219,37 @@
"minimum_color_temperature_kelvin": "最低色溫(Kelvin)",
"minimum_color_temperature_mireds": "最低色溫(Mireds)",
"available_color_modes": "可用顏色模式",
- "available_tones": "可用音調",
"mowing": "割草中",
+ "paused": "已暫停",
"returning": "正在返回充電座",
- "speed_step": "變速",
- "available_preset_modes": "可用預置模式",
- "clear_night": "晴朗的夜晚",
- "cloudy": "多雲",
- "exceptional": "例外",
- "fog": "有霧",
- "hail": "冰雹",
- "lightning": "有雷",
- "lightning_rainy": "有雷雨",
+ "pattern": "圖案",
+ "max_running_scripts": "最大執行腳本數",
+ "run_mode": "執行模式",
+ "parallel": "並行",
+ "queued": "佇列",
+ "one": "單次",
+ "auto_update": "自動更新",
+ "installed_version": "已安裝版本",
+ "release_summary": "發佈摘要",
+ "release_url": "發佈網址",
+ "skipped_version": "已忽略的版本",
+ "firmware": "韌體",
+ "speed_step": "變速",
+ "available_preset_modes": "可用預置模式",
+ "minute": "分",
+ "second": "秒",
+ "next_event": "下一個事件",
+ "step": "階段",
+ "bluetooth_le": "藍牙 BLE",
+ "gps": "GPS",
+ "router": "路由器",
+ "clear_night": "晴朗的夜晚",
+ "cloudy": "多雲",
+ "exceptional": "例外",
+ "fog": "有霧",
+ "hail": "冰雹",
+ "lightning": "有雷",
+ "lightning_rainy": "有雷雨",
"partly_cloudy": "局部多雲",
"pouring": "大雨",
"rainy": "有雨",
@@ -2065,20 +2265,8 @@
"uv_index": "紫外線指數",
"wind_bearing": "風向",
"wind_gust_speed": "陣風風速",
- "auto_update": "自動更新",
- "in_progress": "進行中",
- "installed_version": "已安裝版本",
- "release_summary": "發佈摘要",
- "release_url": "發佈網址",
- "skipped_version": "已忽略的版本",
- "firmware": "韌體",
- "armed_custom_bypass": "自訂忽略警戒",
- "disarming": "解除中",
- "changed_by": "變更者",
- "code_for_arming": "佈防代碼",
- "not_required": "非必要",
- "code_format": "密碼格式",
"identify": "識別",
+ "cleaning": "清掃中",
"recording": "錄影中",
"streaming": "監控中",
"access_token": "存取密鑰",
@@ -2087,91 +2275,121 @@
"hls": "HLS",
"webrtc": "WebRTC",
"model": "型號",
- "end_time": "結束時間",
- "start_time": "開始時間",
- "next_event": "下一個事件",
- "garage": "車庫",
- "event_type": "事件類別",
- "id": "ID",
- "max_running_automations": "最大執行自動化數",
- "run_mode": "執行模式",
- "parallel": "並行",
- "queued": "佇列",
- "cleaning": "清掃中",
- "listening": "聆聽中",
- "processing": "處理中",
- "responding": "回應中",
- "max_running_scripts": "最大執行腳本數",
+ "last_scanned_by_device_id_name": "上回掃描裝置 ID",
+ "tag_id": "標籤 ID",
+ "box": "勾選盒",
"jammed": "卡住",
+ "locked": "已上鎖",
"locking": "上鎖中",
+ "unlocked": "已解鎖",
"unlocking": "解鎖中",
+ "changed_by": "變更者",
+ "code_format": "密碼格式",
"members": "成員",
- "known_hosts": "已知主機",
- "google_cast_configuration": "Google Cast 設定",
- "confirm_description": "是否要設定 {name}?",
- "solis_setup_flow": "Solis setup flow",
- "error_auth": "Personal Access Token is not correct",
- "portal_selection": "Portal selection",
- "name_of_the_inverter": "Name of the inverter",
- "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
- "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
- "data_portal_username": "Portal username or email address",
- "portal_password": "Portal password",
- "data_portal_plant_id": "Station ID as found on portal website",
- "enter_credentials_and_plantid": "Enter credentials and plantID",
- "credentials_password_title": "Add Ginlong Portal v2 credentials",
- "data_portal_key_id": "API Key ID provided by SolisCloud",
- "data_portal_secret": "API Secret provided by SolisCloud",
- "enter_credentials_and_stationid": "Enter credentials and stationID",
- "add_soliscloud_credentials": "Add SolisCloud credentials",
- "account_is_already_configured": "帳號已經設定完成",
- "abort_already_in_progress": "設定已經進行中",
- "failed_to_connect": "連線失敗",
- "invalid_access_token": "存取權杖無效",
- "invalid_authentication": "身份驗證無效",
- "received_invalid_token_data": "收到無效的權杖資料。",
- "abort_oauth_failed": "取得存取權杖時出現錯誤。",
- "timeout_resolving_oauth_token": "解析 OAuth 權杖逾時。",
- "abort_oauth_unauthorized": "取得存取權杖時 OAuth 授權錯誤。",
- "re_authentication_was_successful": "重新認證成功",
- "unexpected_error": "未預期錯誤",
- "successfully_authenticated": "已成功認證",
- "link_fitbit": "連結 Fitbit",
- "pick_authentication_method": "選擇驗證模式",
- "authentication_expired_for_name": "{name} 認證已過期",
+ "listening": "聆聽中",
+ "processing": "處理中",
+ "responding": "回應中",
+ "id": "ID",
+ "max_running_automations": "最大執行自動化數",
+ "cool": "冷氣",
+ "fan_only": "僅送風",
+ "heat_cool": "暖氣/冷氣",
+ "aux_heat": "輔助暖氣",
+ "current_humidity": "目前濕度",
+ "current_temperature": "Current Temperature",
+ "diffuse": "發散",
+ "current_action": "目前動作",
+ "defrosting": "除霜",
+ "preheating": "預熱中",
+ "max_target_humidity": "最高設定濕度",
+ "max_target_temperature": "最高設定溫度",
+ "min_target_humidity": "最低設定濕度",
+ "min_target_temperature": "最低設定溫度",
+ "boost": "全速",
+ "comfort": "舒適",
+ "eco": "節能",
+ "sleep": "睡眠",
+ "all": "全部",
+ "horizontal": "水平擺動",
+ "upper_target_temperature": "較高設定溫度",
+ "lower_target_temperature": "較低設定溫度",
+ "target_temperature_step": "設定溫度步驟",
+ "stopped": "已停止",
+ "garage": "車庫",
+ "not_charging": "未在充電",
+ "disconnected": "已斷線",
+ "connected": "已連線",
+ "hot": "熱",
+ "no_light": "無光",
+ "light_detected": "有光",
+ "not_moving": "未在移動",
+ "unplugged": "未插入",
+ "not_running": "未執行",
+ "unsafe": "危險",
+ "tampering_detected": "檢測到篡改",
+ "buffering": "緩衝",
+ "playing": "播放中",
+ "app_id": "App ID",
+ "local_accessible_entity_picture": "本地可存取實體圖片",
+ "group_members": "群組成員",
+ "album_artist": "專輯藝人",
+ "content_id": "內容 ID",
+ "content_type": "內容類型",
+ "position_updated": "位置已更新",
+ "series": "系列",
+ "available_sound_modes": "可用音效模式",
+ "available_sources": "可用來源",
+ "receiver": "接收器",
+ "speaker": "揚聲器",
+ "tv": "電視",
+ "end_time": "結束時間",
+ "start_time": "開始時間",
+ "event_type": "事件類別",
+ "above_horizon": "日出",
+ "armed_custom_bypass": "自訂忽略警戒",
+ "disarming": "解除中",
+ "code_for_arming": "佈防代碼",
+ "not_required": "非必要",
+ "finishes_at": "完成於",
+ "remaining": "剩餘",
+ "restore": "回復",
"device_is_already_configured": "裝置已經設定完成",
+ "failed_to_connect": "連線失敗",
"abort_no_devices_found": "網路上找不到裝置",
+ "re_authentication_was_successful": "重新認證成功",
"re_configuration_was_successful": "重新設定成功",
"connection_error_error": "連線錯誤:{error}",
"unable_to_authenticate_error": "無法驗證:{error}",
"camera_stream_authentication_failed": "攝影機串流驗證失敗",
"name_model_host": "{name} {model} ({host})",
"enable_camera_live_view": "開啟攝影機即時預覽",
- "username": "使用者名稱",
+ "username": "Username",
"camera_auth_confirm_description": "輸入裝置攝影機帳號憑證。",
"set_camera_account_credentials": "設定攝影機帳號憑證",
"authenticate": "認證",
+ "authentication_expired_for_name": "{name} 認證已過期",
"host": "Host",
"reconfigure_description": "更新 {mac} 裝置設定",
"reconfigure_tplink_entry": "重新設定 TPLink 整合",
"abort_single_instance_allowed": "已經設定完成、僅能設定一組裝置。",
- "abort_already_configured": "Device has already been configured.",
- "abort_device_updated": "Device configuration has been updated!",
- "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
- "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
- "cloud_api_account_configuration": "Cloud API account configuration",
- "user_description": "是否要開始設定?",
- "api_server_region": "API server region",
- "client_id": "Client ID",
- "secret": "Secret",
- "user_id": "User ID",
- "data_no_cloud": "Do not configure Cloud API account",
+ "abort_api_error": "與 SwitchBot API 通訊時出現錯誤: {error_detail}",
+ "unsupported_switchbot_type": "不支持的 Switchbot 類別。",
+ "unexpected_error": "未預期錯誤",
+ "authentication_failed_error_detail": "驗證失敗:{error_detail}",
+ "error_encryption_key_invalid": "金鑰 ID 或加密金鑰無效",
+ "name_address": "{name} ({address})",
+ "confirm_description": "是否要設定 {name}?",
+ "switchbot_account_recommended": "SwitchBot 帳號(推薦)",
+ "enter_encryption_key_manually": "手動輸入加密金鑰",
+ "encryption_key": "金鑰",
+ "key_id": "金鑰 ID",
+ "password_description": "用於保護備份的密碼。",
+ "mac_address": "MAC 位址",
"service_is_already_configured": "服務已經設定完成",
- "invalid_ics_file": ".ics 檔案無效",
- "calendar_name": "行事曆名稱",
- "starting_data": "開始資料",
+ "abort_already_in_progress": "設定已經進行中",
"abort_invalid_host": "無效主機名稱或 IP 位址",
"device_not_supported": "裝置不支援",
+ "invalid_authentication": "身份驗證無效",
"name_model_at_host": "{name}(位於 {host} 之 {model} )",
"authenticate_to_the_device": "認證裝置",
"finish_title": "選擇裝置名稱",
@@ -2179,22 +2397,142 @@
"yes_do_it": "是,執行。",
"unlock_the_device_optional": "解鎖裝置(選項)",
"connect_to_the_device": "連線至裝置",
- "abort_missing_credentials": "整合需要應用憑證。",
- "timeout_establishing_connection": "建立連線逾時",
- "link_google_account": "連結 Google 帳號",
- "path_is_not_allowed": "路徑不允許",
- "path_is_not_valid": "路徑無效",
- "path_to_file": "檔案路徑",
+ "user_description": "Input the credentials for Tuya Cloud API.",
+ "account_is_already_configured": "帳號已經設定完成",
+ "invalid_access_token": "存取權杖無效",
+ "received_invalid_token_data": "收到無效的權杖資料。",
+ "abort_oauth_failed": "取得存取權杖時出現錯誤。",
+ "timeout_resolving_oauth_token": "解析 OAuth 權杖逾時。",
+ "abort_oauth_unauthorized": "取得存取權杖時 OAuth 授權錯誤。",
+ "successfully_authenticated": "已成功認證",
+ "link_fitbit": "連結 Fitbit",
+ "pick_authentication_method": "選擇驗證模式",
+ "two_factor_code": "雙重認證碼",
+ "two_factor_authentication": "雙重認證",
+ "reconfigure_ring_integration": "重新設定 Ring 整合",
+ "sign_in_with_ring_account": "以 Ring 帳號登入",
+ "abort_alternative_integration": "使用其他整合以取得更佳的裝置支援",
+ "abort_incomplete_config": "所缺少的設定為必須變數",
+ "manual_description": "裝置說明 XML 檔案之 URL",
+ "manual_title": "手動 DLNA DMR 裝置連線",
+ "discovered_dlna_dmr_devices": "自動搜索到的 DLNA DMR 裝置",
+ "broadcast_address": "廣播位址",
+ "broadcast_port": "廣播埠",
+ "abort_addon_info_failed": "取得 {addon} 附加元件資訊失敗。",
+ "abort_addon_install_failed": "安裝 {addon} 附加元件失敗。",
+ "abort_addon_start_failed": "啟動 {addon} 附加元件失敗。",
+ "invalid_birth_topic": "Birth 主題無效",
+ "error_bad_certificate": "CA 認證無效",
+ "invalid_discovery_prefix": "搜索主題 prefix 無效",
+ "invalid_will_topic": "Will 主題無效",
+ "broker": "Broker",
+ "data_certificate": "上傳自訂 CA 憑證檔案",
+ "upload_client_certificate_file": "上傳客戶端憑證檔案",
+ "upload_private_key_file": "上傳私鑰檔案",
+ "data_keepalive": "傳送保持活動訊息間隔時間",
+ "port": "通訊埠",
+ "mqtt_protocol": "MQTT 通訊協定",
+ "broker_certificate_validation": "代理伺服器憑證驗證",
+ "use_a_client_certificate": "使用客戶端憑證",
+ "ignore_broker_certificate_validation": "忽略代理伺服器憑證驗證",
+ "mqtt_transport": "MQTT 傳輸",
+ "data_ws_headers": "JSON 格式的 WebSocket header",
+ "websocket_path": "WebSocket 路徑",
+ "hassio_confirm_title": "使用 Home Assistant 附加元件 deCONZ Zigbee 閘道器",
+ "installing_add_on": "正在安裝附加元件",
+ "reauth_confirm_title": "MQTT broker 需要重新認證",
+ "start_add_on": "啟動附加元件",
+ "menu_options_addon": "使用官方 {addon} 附加元件。",
+ "menu_options_broker": "手動輸入 MQTT broker 連線資訊",
"api_key": "API 金鑰",
"configure_daikin_ac": "設定大金空調",
+ "cannot_connect_details_error_detail": "無法連線。詳細資訊:{error_detail}",
+ "unknown_details_error_detail": "未知。詳細資訊:{error_detail}",
+ "uses_an_ssl_certificate": "使用 SSL 認證",
+ "verify_ssl_certificate": "確認 SSL 認證",
+ "name_manufacturer_model": "{name} {manufacturer} {model}",
+ "adapter": "傳輸器",
+ "multiple_adapters_description": "選擇進行設定的藍牙傳輸器",
+ "api_error_occurred": "發生 API 錯誤",
+ "hostname_ip_address": "{hostname} ({ip_address})",
+ "enable_https": "開啟 HTTPS",
"hacs_is_not_setup": "HACS is not setup.",
"reauthentication_was_successful": "Reauthentication was successful.",
+ "error_auth": "Cannot login with provided URL and credentials",
"waiting_for_device_activation": "Waiting for device activation",
"reauthentication_needed": "Reauthentication needed",
"reauth_confirm_description": "You need to reauthenticate with GitHub.",
- "name_manufacturer_model": "{name} {manufacturer} {model}",
- "adapter": "傳輸器",
- "multiple_adapters_description": "選擇進行設定的藍牙傳輸器",
+ "meteorologisk_institutt": "Meteorologisk institutt",
+ "timeout_establishing_connection": "建立連線逾時",
+ "link_google_account": "連結 Google 帳號",
+ "path_is_not_allowed": "路徑不允許",
+ "path_is_not_valid": "路徑無效",
+ "path_to_file": "檔案路徑",
+ "pin_code": "PIN 碼",
+ "discovered_android_tv": "自動搜索到的 Android TV",
+ "abort_already_configured": "Device has already been configured.",
+ "invalid_host": "Invalid host.",
+ "wrong_smartthings_token": "Wrong SmartThings token.",
+ "error_st_device_not_found": "SmartThings TV deviceID not found.",
+ "error_st_device_used": "SmartThings TV deviceID already used.",
+ "samsungtv_smart_model": "SamsungTV Smart: {model}",
+ "host_or_ip_address": "Host or IP address",
+ "data_name": "Name assigned to the entity",
+ "smartthings_generated_token_optional": "SmartThings generated token (optional)",
+ "smartthings_tv": "SmartThings TV",
+ "smartthings_tv_deviceid": "SmartThings TV deviceID",
+ "all_entities": "所有實體",
+ "hide_members": "隱藏成員",
+ "create_group": "新增群組",
+ "device_class": "Device Class",
+ "ignore_non_numeric": "忽略非數字",
+ "data_round_digits": "四捨五入小數位數",
+ "binary_sensor_group": "二進位感測器群組",
+ "button_group": "按鈕群組",
+ "cover_group": "門簾群組",
+ "event_group": "事件群組",
+ "lock_group": "門鎖群組",
+ "media_player_group": "媒體播放器群組",
+ "notify_group": "通知群組",
+ "sensor_group": "感測器群組",
+ "switch_group": "開關群組",
+ "known_hosts": "已知主機",
+ "google_cast_configuration": "Google Cast 設定",
+ "solis_setup_flow": "Solis setup flow",
+ "portal_selection": "Portal selection",
+ "name_of_the_inverter": "Name of the inverter",
+ "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333",
+ "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)",
+ "data_portal_username": "Portal username or email address",
+ "portal_password": "Portal password",
+ "data_portal_plant_id": "Station ID as found on portal website",
+ "enter_credentials_and_plantid": "Enter credentials and plantID",
+ "credentials_password_title": "Add Ginlong Portal v2 credentials",
+ "data_portal_key_id": "API Key ID provided by SolisCloud",
+ "data_portal_secret": "API Secret provided by SolisCloud",
+ "enter_credentials_and_stationid": "Enter credentials and stationID",
+ "add_soliscloud_credentials": "Add SolisCloud credentials",
+ "abort_mdns_missing_mac": "MDNS 屬性中缺少 MAC 位址。",
+ "abort_mqtt_missing_api": "MQTT 屬性中缺少 API 連接埠。",
+ "abort_mqtt_missing_ip": "MQTT 屬性中缺少 IP 位址。",
+ "abort_mqtt_missing_mac": "MQTT 屬性中缺少 MAC 位址。",
+ "missing_mqtt_payload": "缺少 MQTT Payload。",
+ "action_received": "收到動作",
+ "discovered_esphome_node": "自動探索到 ESPHome 節點",
+ "bridge_is_already_configured": "Bridge 已經設定完成",
+ "no_deconz_bridges_discovered": "未發現到 deCONZ Bridfe",
+ "abort_no_hardware_available": "deCONZ 沒有任何無線電裝置連線",
+ "abort_updated_instance": "使用新主機端位址更新 deCONZ 裝置",
+ "error_linking_not_possible": "無法與路由器連線",
+ "error_no_key": "無法取得 API key",
+ "link_with_deconz": "連結至 deCONZ",
+ "select_discovered_deconz_gateway": "選擇所探索到的 deCONZ 閘道器",
+ "abort_missing_credentials": "整合需要應用憑證。",
+ "no_port_for_endpoint": "端點沒有通訊埠",
+ "abort_no_services": "端點找不到任何服務",
+ "discovered_wyoming_service": "自動搜索到 Wyoming 服務",
+ "ipv_is_not_supported": "不支援 IPv6。",
+ "error_custom_port_not_supported": "Gen1 裝置不支援自訂通訊埠。",
"arm_away_action": "離家警戒動作",
"arm_custom_bypass_action": "自訂忽略警戒動作",
"arm_home_action": "在家警戒動作",
@@ -2205,12 +2543,10 @@
"trigger_action": "觸發動作",
"value_template": "數值模板",
"template_alarm_control_panel": "模板警報控制面板",
- "device_class": "裝置類別",
"state_template": "狀態模板",
"template_binary_sensor": "模板二進位感測器",
"actions_on_press": "按下後動作",
"template_button": "模板按鈕",
- "verify_ssl_certificate": "確認 SSL 認證",
"template_image": "模板圖像",
"actions_on_set_value": "於設定數值時動作",
"step_value": "步進值",
@@ -2224,113 +2560,129 @@
"template_switch": "模板開關",
"template_a_binary_sensor": "模板新二進位感測器",
"template_helper": "模板助手",
- "invalid_host": "Invalid host.",
- "wrong_smartthings_token": "Wrong SmartThings token.",
- "error_st_device_not_found": "SmartThings TV deviceID not found.",
- "error_st_device_used": "SmartThings TV deviceID already used.",
- "samsungtv_smart_model": "SamsungTV Smart: {model}",
- "host_or_ip_address": "Host or IP address",
- "data_name": "Name assigned to the entity",
- "smartthings_generated_token_optional": "SmartThings generated token (optional)",
- "smartthings_tv": "SmartThings TV",
- "smartthings_tv_deviceid": "SmartThings TV deviceID",
- "abort_addon_info_failed": "取得 {addon} 附加元件資訊失敗。",
- "abort_addon_install_failed": "安裝 {addon} 附加元件失敗。",
- "abort_addon_start_failed": "啟動 {addon} 附加元件失敗。",
- "invalid_birth_topic": "Birth 主題無效",
- "error_bad_certificate": "CA 認證無效",
- "invalid_discovery_prefix": "搜索主題 prefix 無效",
- "invalid_will_topic": "Will 主題無效",
- "broker": "Broker",
- "data_certificate": "上傳自訂 CA 憑證檔案",
- "upload_client_certificate_file": "上傳客戶端憑證檔案",
- "upload_private_key_file": "上傳私鑰檔案",
- "data_keepalive": "傳送保持活動訊息間隔時間",
- "port": "通訊埠",
- "mqtt_protocol": "MQTT 通訊協定",
- "broker_certificate_validation": "代理伺服器憑證驗證",
- "use_a_client_certificate": "使用客戶端憑證",
- "ignore_broker_certificate_validation": "忽略代理伺服器憑證驗證",
- "mqtt_transport": "MQTT 傳輸",
- "data_ws_headers": "JSON 格式的 WebSocket header",
- "websocket_path": "WebSocket 路徑",
- "hassio_confirm_title": "使用 Home Assistant 附加元件 deCONZ Zigbee 閘道器",
- "installing_add_on": "正在安裝附加元件",
- "reauth_confirm_title": "MQTT broker 需要重新認證",
- "start_add_on": "啟動附加元件",
- "menu_options_addon": "使用官方 {addon} 附加元件。",
- "menu_options_broker": "手動輸入 MQTT broker 連線資訊",
- "bridge_is_already_configured": "Bridge 已經設定完成",
- "no_deconz_bridges_discovered": "未發現到 deCONZ Bridfe",
- "abort_no_hardware_available": "deCONZ 沒有任何無線電裝置連線",
- "abort_updated_instance": "使用新主機端位址更新 deCONZ 裝置",
- "error_linking_not_possible": "無法與路由器連線",
- "error_no_key": "無法取得 API key",
- "link_with_deconz": "連結至 deCONZ",
- "select_discovered_deconz_gateway": "選擇所探索到的 deCONZ 閘道器",
- "pin_code": "PIN 碼",
- "discovered_android_tv": "自動搜索到的 Android TV",
- "abort_mdns_missing_mac": "MDNS 屬性中缺少 MAC 位址。",
- "abort_mqtt_missing_api": "MQTT 屬性中缺少 API 連接埠。",
- "abort_mqtt_missing_ip": "MQTT 屬性中缺少 IP 位址。",
- "abort_mqtt_missing_mac": "MQTT 屬性中缺少 MAC 位址。",
- "missing_mqtt_payload": "缺少 MQTT Payload。",
- "action_received": "收到動作",
- "discovered_esphome_node": "自動探索到 ESPHome 節點",
- "encryption_key": "加密金鑰",
- "no_port_for_endpoint": "端點沒有通訊埠",
- "abort_no_services": "端點找不到任何服務",
- "discovered_wyoming_service": "自動搜索到 Wyoming 服務",
- "abort_alternative_integration": "使用其他整合以取得更佳的裝置支援",
- "abort_incomplete_config": "所缺少的設定為必須變數",
- "manual_description": "裝置說明 XML 檔案之 URL",
- "manual_title": "手動 DLNA DMR 裝置連線",
- "discovered_dlna_dmr_devices": "自動搜索到的 DLNA DMR 裝置",
- "api_error_occurred": "發生 API 錯誤",
- "hostname_ip_address": "{hostname} ({ip_address})",
- "enable_https": "開啟 HTTPS",
- "broadcast_address": "廣播位址",
- "broadcast_port": "廣播埠",
- "mac_address": "MAC 位址",
- "meteorologisk_institutt": "Meteorologisk institutt",
- "ipv_is_not_supported": "不支援 IPv6。",
- "error_custom_port_not_supported": "Gen1 裝置不支援自訂通訊埠。",
- "two_factor_code": "雙重認證碼",
- "two_factor_authentication": "雙重認證",
- "reconfigure_ring_integration": "重新設定 Ring 整合",
- "sign_in_with_ring_account": "以 Ring 帳號登入",
- "all_entities": "所有實體",
- "hide_members": "隱藏成員",
- "create_group": "新增群組",
- "ignore_non_numeric": "忽略非數字",
- "data_round_digits": "四捨五入小數位數",
- "binary_sensor_group": "二進位感測器群組",
- "button_group": "按鈕群組",
- "cover_group": "門簾群組",
- "event_group": "事件群組",
- "fan_group": "風扇群組",
- "light_group": "燈光群組",
- "lock_group": "門鎖群組",
- "media_player_group": "媒體播放器群組",
- "notify_group": "通知群組",
- "sensor_group": "感測器群組",
- "switch_group": "開關群組",
- "abort_api_error": "與 SwitchBot API 通訊時出現錯誤: {error_detail}",
- "unsupported_switchbot_type": "不支持的 Switchbot 類別。",
- "authentication_failed_error_detail": "驗證失敗:{error_detail}",
- "error_encryption_key_invalid": "金鑰 ID 或加密金鑰無效",
- "name_address": "{name} ({address})",
- "switchbot_account_recommended": "SwitchBot 帳號(推薦)",
- "enter_encryption_key_manually": "手動輸入加密金鑰",
- "key_id": "金鑰 ID",
- "password_description": "用於保護備份的密碼。",
- "device_address": "裝置位址",
- "cannot_connect_details_error_detail": "無法連線。詳細資訊:{error_detail}",
- "unknown_details_error_detail": "未知。詳細資訊:{error_detail}",
- "uses_an_ssl_certificate": "使用 SSL 認證",
+ "abort_device_updated": "Device configuration has been updated!",
+ "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}",
+ "error_device_list_failed": "Failed to retrieve device list.\n{msg}",
+ "cloud_api_account_configuration": "Cloud API account configuration",
+ "api_server_region": "API server region",
+ "client_id": "Client ID",
+ "secret": "Secret",
+ "user_id": "User ID",
+ "data_no_cloud": "Do not configure Cloud API account",
+ "abort_not_zha_device": "所發現的裝置並非 ZHA 裝置",
+ "abort_usb_probe_failed": "偵測 USB 裝置失敗",
+ "invalid_backup_json": "無效備份 JSON",
+ "choose_an_automatic_backup": "選擇自動備份",
+ "restore_automatic_backup": "回復自動備份",
+ "choose_formation_strategy_description": "選擇無線電的網路設定",
+ "create_a_network": "建立網路",
+ "keep_radio_network_settings": "保留無線電網路設定",
+ "upload_a_manual_backup": "上傳手動備份",
+ "network_formation": "網路格式",
+ "serial_device_path": "序列裝置路徑",
+ "select_a_serial_port": "選擇序列埠",
+ "radio_type": "無線電類別",
+ "manual_pick_radio_type_description": "選擇 Zigbee 無線電類別",
+ "port_speed": "通訊埠速度",
+ "data_flow_control": "資料流量控制",
+ "manual_port_config_description": "輸入序列埠設定",
+ "serial_port_settings": "序列埠設定",
+ "data_overwrite_coordinator_ieee": "永久取代設備 IEEE 位址",
+ "overwrite_radio_ieee_address": "覆寫無線電 IEEE 位址",
+ "upload_a_file": "上傳檔案",
+ "radio_is_not_recommended": "不建議傳輸器",
+ "invalid_ics_file": ".ics 檔案無效",
+ "calendar_name": "行事曆名稱",
+ "starting_data": "開始資料",
+ "zha_alarm_options_alarm_arm_requires_code": "警戒動作需要代碼",
+ "zha_alarm_options_alarm_master_code": "警戒控制面板控制碼",
+ "alarm_control_panel_options": "警戒控制面板選項",
+ "zha_options_consider_unavailable_battery": "將電池供電裝置視為不可用(秒數)",
+ "zha_options_consider_unavailable_mains": "將主供電裝置視為不可用(秒數)",
+ "zha_options_default_light_transition": "預設燈光轉換時間(秒)",
+ "zha_options_group_members_assume_state": "群組成員呈現群組狀態",
+ "zha_options_light_transitioning_flag": "開啟燈光轉換增強亮度調整列",
+ "global_options": "Global 選項",
+ "force_nightlatch_operation_mode": "強制夜間閂鎖操作模式",
+ "retry_count": "重試次數",
+ "data_process": "新增感測器的程序",
+ "invalid_url": "URL 無效",
+ "data_browse_unfiltered": "當瀏覽時顯示不相容媒體",
+ "event_listener_callback_url": "事件監聽回呼 URL",
+ "data_listen_port": "事件監聽通訊埠(未設置則為隨機)",
+ "poll_for_device_availability": "查詢裝置可用性",
+ "init_title": "DLNA Digital Media Renderer 設定",
+ "broker_options": "Broker 選項",
+ "enable_birth_message": "開啟 Birth 訊息",
+ "birth_message_payload": "Birth 訊息 payload",
+ "birth_message_qos": "Birth 訊息 QoS",
+ "birth_message_retain": "Birth 訊息 Retain",
+ "birth_message_topic": "Birth 訊息主題",
+ "enable_discovery": "開啟搜尋",
+ "discovery_prefix": "探索 prefix",
+ "enable_will_message": "開啟 Will 訊息",
+ "will_message_payload": "Will 訊息 payload",
+ "will_message_qos": "Will 訊息 QoS",
+ "will_message_retain": "Will 訊息 Retain",
+ "will_message_topic": "Will 訊息主題",
+ "data_description_discovery": "開啟 MQTT 自動探索選項。",
+ "mqtt_options": "MQTT 選項",
+ "passive_scanning": "被動掃描",
+ "protocol": "通訊協定",
+ "abort_pending_tasks": "There are pending tasks. Try again later.",
+ "data_not_in_use": "Not in use with YAML",
+ "filter_with_country_code": "Filter with country code",
+ "data_release_limit": "Number of releases to show",
+ "enable_debug": "Enable debug",
+ "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
+ "side_panel_icon": "Side panel icon",
+ "side_panel_title": "Side panel title",
+ "language_code": "語言代碼",
+ "samsungtv_smart_options": "SamsungTV Smart options",
+ "data_use_st_status_info": "Use SmartThings TV Status information",
+ "data_use_st_channel_info": "Use SmartThings TV Channels information",
+ "data_show_channel_number": "Use SmartThings TV Channels number information",
+ "data_app_load_method": "Applications list load mode at startup",
+ "data_use_local_logo": "Allow use of local logo images",
+ "data_power_on_method": "Method used to turn on TV",
+ "show_options_menu": "Show options menu",
+ "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
+ "applications_list_configuration": "Applications list configuration",
+ "channels_list_configuration": "Channels list configuration",
+ "standard_options": "Standard options",
+ "save_options_and_exit": "Save options and exit",
+ "sources_list_configuration": "Sources list configuration",
+ "synched_entities_configuration": "Synched entities configuration",
+ "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
+ "applications_launch_method_used": "Applications launch method used",
+ "data_power_on_delay": "Seconds to delay power ON status",
+ "data_ext_power_entity": "Binary sensor to help detect power status",
+ "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
+ "app_list_title": "SamsungTV Smart applications list configuration",
+ "applications_list": "Applications list:",
+ "channel_list_title": "SamsungTV Smart channels list configuration",
+ "channels_list": "Channels list:",
+ "source_list_title": "SamsungTV Smart sources list configuration",
+ "sources_list": "Sources list:",
+ "error_invalid_tv_list": "Invalid format. Please check documentation",
+ "data_app_delete": "檢查以刪除此應用程式",
+ "application_icon": "應用程式圖示",
+ "application_id": "應用程式 ID",
+ "application_name": "應用程式名稱",
+ "configure_application_id_app_id": "設定應用程式 ID {app_id}",
+ "configure_android_apps": "設定 Android App",
+ "configure_applications_list": "設定應用程式列表",
"ignore_cec": "忽略 CEC",
"allowed_uuids": "已允許 UUID",
"advanced_google_cast_configuration": "Google Cast 進階設定",
+ "allow_deconz_clip_sensors": "允許 deCONZ CLIP 感測器",
+ "allow_deconz_light_groups": "允許 deCONZ 燈光群組",
+ "data_allow_new_devices": "允許自動化新增裝置",
+ "deconz_devices_description": "設定 deCONZ 可視裝置類別",
+ "deconz_options": "deCONZ 選項",
+ "select_test_server": "選擇測試伺服器",
+ "data_calendar_access": "Home Assistant 存取 Google Calendar",
+ "bluetooth_scanner_mode": "藍芽掃瞄器模式",
"device_dev_name_successfully_action": "Device {dev_name} successfully {action}.",
"not_supported": "Not Supported",
"localtuya_configuration": "LocalTuya Configuration",
@@ -2347,10 +2699,9 @@
"data_hvac_fan_mode_set": "HVAC Fan Mode Set (optional)",
"data_hvac_swing_mode_dp": "HVAC Swing Mode DP (optional)",
"data_hvac_swing_mode_set": "HVAC Swing Mode Set (optional)",
- "cloud_setup_description": "Input the credentials for Tuya Cloud API.",
"configure_tuya_device": "Configure Tuya device",
"configure_device_description": "Fill in the device details{for_device}.",
- "device_id": "裝置 ID",
+ "device_id": "Device ID",
"local_key": "Local key",
"protocol_version": "Protocol Version",
"data_entities": "Entities (uncheck an entity to remove it)",
@@ -2419,91 +2770,13 @@
"enable_heuristic_action_optional": "Enable heuristic action (optional)",
"data_dps_default_value": "Default value when un-initialised (optional)",
"minimum_increment_between_numbers": "Minimum increment between numbers",
- "data_calendar_access": "Home Assistant 存取 Google Calendar",
- "data_process": "新增感測器的程序",
- "abort_pending_tasks": "There are pending tasks. Try again later.",
- "data_not_in_use": "Not in use with YAML",
- "filter_with_country_code": "Filter with country code",
- "data_release_limit": "Number of releases to show",
- "enable_debug": "Enable debug",
- "data_appdaemon": "Enable AppDaemon apps discovery & tracking",
- "side_panel_icon": "Side panel icon",
- "side_panel_title": "Side panel title",
- "passive_scanning": "被動掃描",
- "samsungtv_smart_options": "SamsungTV Smart options",
- "data_use_st_status_info": "Use SmartThings TV Status information",
- "data_use_st_channel_info": "Use SmartThings TV Channels information",
- "data_show_channel_number": "Use SmartThings TV Channels number information",
- "data_app_load_method": "Applications list load mode at startup",
- "data_use_local_logo": "Allow use of local logo images",
- "data_power_on_method": "Method used to turn on TV",
- "show_options_menu": "Show options menu",
- "samsungtv_smart_options_menu": "SamsungTV Smart options menu",
- "applications_list_configuration": "Applications list configuration",
- "channels_list_configuration": "Channels list configuration",
- "standard_options": "Standard options",
- "save_options_and_exit": "Save options and exit",
- "sources_list_configuration": "Sources list configuration",
- "synched_entities_configuration": "Synched entities configuration",
- "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options",
- "applications_launch_method_used": "Applications launch method used",
- "data_power_on_delay": "Seconds to delay power ON status",
- "data_ext_power_entity": "Binary sensor to help detect power status",
- "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities",
- "app_list_title": "SamsungTV Smart applications list configuration",
- "applications_list": "Applications list:",
- "channel_list_title": "SamsungTV Smart channels list configuration",
- "channels_list": "Channels list:",
- "source_list_title": "SamsungTV Smart sources list configuration",
- "sources_list": "Sources list:",
- "error_invalid_tv_list": "Invalid format. Please check documentation",
- "broker_options": "Broker 選項",
- "enable_birth_message": "開啟 Birth 訊息",
- "birth_message_payload": "Birth 訊息 payload",
- "birth_message_qos": "Birth 訊息 QoS",
- "birth_message_retain": "Birth 訊息 Retain",
- "birth_message_topic": "Birth 訊息主題",
- "enable_discovery": "開啟搜尋",
- "discovery_prefix": "探索 prefix",
- "enable_will_message": "開啟 Will 訊息",
- "will_message_payload": "Will 訊息 payload",
- "will_message_qos": "Will 訊息 QoS",
- "will_message_retain": "Will 訊息 Retain",
- "will_message_topic": "Will 訊息主題",
- "data_description_discovery": "開啟 MQTT 自動探索選項。",
- "mqtt_options": "MQTT 選項",
"data_allow_nameless_uuids": "目前允許 UUIDs、取消勾選以移除",
"data_new_uuid": "輸入新允許 UUID",
- "allow_deconz_clip_sensors": "允許 deCONZ CLIP 感測器",
- "allow_deconz_light_groups": "允許 deCONZ 燈光群組",
- "data_allow_new_devices": "允許自動化新增裝置",
- "deconz_devices_description": "設定 deCONZ 可視裝置類別",
- "deconz_options": "deCONZ 選項",
- "data_app_delete": "檢查以刪除此應用程式",
- "application_icon": "應用程式圖示",
- "application_id": "應用程式 ID",
- "application_name": "應用程式名稱",
- "configure_application_id_app_id": "設定應用程式 ID {app_id}",
- "configure_android_apps": "設定 Android App",
- "configure_applications_list": "設定應用程式列表",
- "invalid_url": "URL 無效",
- "data_browse_unfiltered": "當瀏覽時顯示不相容媒體",
- "event_listener_callback_url": "事件監聽回呼 URL",
- "data_listen_port": "事件監聽通訊埠(未設置則為隨機)",
- "poll_for_device_availability": "查詢裝置可用性",
- "init_title": "DLNA Digital Media Renderer 設定",
- "protocol": "通訊協定",
- "language_code": "語言代碼",
- "bluetooth_scanner_mode": "藍芽掃瞄器模式",
- "force_nightlatch_operation_mode": "強制夜間閂鎖操作模式",
- "retry_count": "重試次數",
- "select_test_server": "選擇測試伺服器",
- "toggle_entity_name": "切換{entity_name}",
- "close_entity_name": "關閉{entity_name}",
- "open_entity_name": "開啟{entity_name}",
- "entity_name_is_off": "{entity_name}已關閉",
- "entity_name_is_on": "{entity_name}已開啟",
- "trigger_type_changed_states": "{entity_name}打開或關閉",
+ "reconfigure_zha": "重新設定 ZHA",
+ "unplug_your_old_radio": "移除舊無線電",
+ "intent_migrate_title": "遷移至新設備",
+ "re_configure_the_current_radio": "重新設定目前設備",
+ "migrate_or_re_configure": "遷移或重新設定",
"current_entity_name_apparent_power": "目前{entity_name}視在功率",
"condition_type_is_aqi": "目前{entity_name} AQI",
"current_entity_name_area": "目前{entity_name}分區",
@@ -2595,14 +2868,72 @@
"entity_name_water_changes": "{entity_name}水位變更",
"entity_name_weight_changes": "{entity_name}重量變更",
"entity_name_wind_speed_changes": "{entity_name}風速變更",
+ "decrease_entity_name_brightness": "降低{entity_name}亮度",
+ "increase_entity_name_brightness": "增加{entity_name}亮度",
+ "flash_entity_name": "閃動 {entity_name}",
+ "toggle_entity_name": "切換{entity_name}",
+ "close_entity_name": "關閉{entity_name}",
+ "open_entity_name": "開啟{entity_name}",
+ "entity_name_is_off": "{entity_name}已關閉",
+ "entity_name_is_on": "{entity_name}已開啟",
+ "flash": "閃爍",
+ "trigger_type_changed_states": "{entity_name}打開或關閉",
+ "set_value_for_entity_name": "{entity_name} 設定值",
+ "value": "Value",
+ "entity_name_update_availability_changed": "{entity_name}可用更新已變更",
+ "entity_name_became_up_to_date": "{entity_name}已最新",
+ "trigger_type_update": "{entity_name}有更新",
+ "first_button": "第一個按鈕",
+ "second_button": "第二個按鈕",
+ "third_button": "第三個按鈕",
+ "fourth_button": "第四個按鈕",
+ "fifth_button": "第五個按鈕",
+ "sixth_button": "第六個按鈕",
+ "subtype_double_clicked": "\"{subtype}\" 雙擊",
+ "subtype_continuously_pressed": "\"{subtype}\" 持續按下",
+ "trigger_type_button_long_release": "\"{subtype}\" 長按後釋放",
+ "subtype_quadruple_clicked": "\"{subtype}\" 四連擊",
+ "subtype_quintuple_clicked": "\"{subtype}\" 五連擊",
+ "subtype_pressed": "\"{subtype}\" 已按下",
+ "subtype_released": "\"{subtype}\" 已釋放",
+ "subtype_triple_clicked": "\"{subtype}\" 三連擊",
+ "entity_name_is_home": "{entity_name}在家",
+ "entity_name_is_not_home": "{entity_name}不在家",
+ "entity_name_enters_a_zone": "{entity_name}進入區域",
+ "entity_name_leaves_a_zone": "{entity_name}離開區域",
+ "press_entity_name_button": "按下 {entity_name} 按鈕",
+ "entity_name_has_been_pressed": "{entity_name}已按下",
+ "let_entity_name_clean": "啟動{entity_name}清除",
+ "action_type_dock": "啟動{entity_name}回到充電站",
+ "entity_name_is_cleaning": "{entity_name}正在清掃",
+ "entity_name_is_docked": "{entity_name}於充電站",
+ "entity_name_started_cleaning": "{entity_name}開始清掃",
+ "entity_name_docked": "{entity_name}已回充電站",
+ "send_a_notification": "傳送通知",
+ "lock_entity_name": "上鎖{entity_name}",
+ "unlock_entity_name": "解鎖{entity_name}",
+ "entity_name_locked": "{entity_name}已上鎖",
+ "entity_name_is_open": "{entity_name}開啟",
+ "entity_name_is_unlocked": "{entity_name}解鎖",
+ "entity_name_unlocked": "{entity_name}已解鎖",
"action_type_set_hvac_mode": "變更{entity_name} HVAC 模式",
"change_preset_on_entity_name": "變更{entity_name}設定模式",
"to": "至...狀態",
"entity_name_measured_humidity_changed": "{entity_name}量測濕度已變更",
"entity_name_measured_temperature_changed": "{entity_name}量測溫度已變更",
"entity_name_hvac_mode_changed": "{entity_name} HVAC 模式已變更",
- "set_value_for_entity_name": "{entity_name} 設定值",
- "value": "數值",
+ "close_entity_name_tilt": "關閉{entity_name}傾斜角度",
+ "open_entity_name_tilt": "開啟{entity_name}傾斜角度",
+ "set_entity_name_position": "設定{entity_name}位置",
+ "set_entity_name_tilt_position": "設定{entity_name} 傾斜角度",
+ "stop_entity_name": "停止 {entity_name}",
+ "entity_name_is_closed": "{entity_name}關閉",
+ "entity_name_closing": "{entity_name}正在關閉",
+ "entity_name_opening": "{entity_name}正在開啟",
+ "current_entity_name_position_is": "目前{entity_name}位置為",
+ "condition_type_is_tilt_position": "目前{entity_name} 傾斜角度位置為",
+ "entity_name_position_changes": "{entity_name}位置變更",
+ "entity_name_tilt_position_changes": "{entity_name}傾斜角度變更",
"entity_name_battery_is_low": "{entity_name}電量過低",
"entity_name_is_charging": "{entity_name}正在充電中",
"condition_type_is_co": "{entity_name}正偵測到一氧化碳",
@@ -2611,7 +2942,6 @@
"entity_name_is_detecting_gas": "{entity_name}偵測到瓦斯",
"entity_name_is_hot": "{entity_name}熱",
"entity_name_is_detecting_light": "{entity_name}偵測到光線中",
- "entity_name_locked": "{entity_name}已上鎖",
"entity_name_is_moist": "{entity_name}潮濕",
"entity_name_is_detecting_motion": "{entity_name}偵測到動作中",
"entity_name_is_moving": "{entity_name}移動中",
@@ -2629,11 +2959,9 @@
"entity_name_is_not_cold": "{entity_name}不冷",
"entity_name_is_disconnected": "{entity_name}斷線",
"entity_name_is_not_hot": "{entity_name}不熱",
- "entity_name_unlocked": "{entity_name}已解鎖",
"entity_name_is_dry": "{entity_name}乾燥",
"entity_name_is_not_moving": "{entity_name}未在移動",
"entity_name_is_not_occupied": "{entity_name}未有人",
- "entity_name_is_closed": "{entity_name}為關閉",
"entity_name_unplugged": "{entity_name}未插入",
"entity_name_not_powered": "{entity_name}未通電",
"entity_name_not_present": "{entity_name}未出現",
@@ -2641,7 +2969,6 @@
"condition_type_is_not_tampered": "{entity_name}未偵測到減弱",
"entity_name_is_safe": "{entity_name}安全",
"entity_name_is_occupied": "{entity_name}有人",
- "entity_name_is_open": "{entity_name}為開啟",
"entity_name_is_plugged_in": "{entity_name}插入",
"entity_name_is_powered": "{entity_name}通電",
"entity_name_is_present": "{entity_name}出現",
@@ -2670,7 +2997,6 @@
"entity_name_stopped_detecting_problem": "{entity_name}已停止偵測問題",
"entity_name_stopped_detecting_smoke": "{entity_name}已停止偵測煙霧",
"entity_name_stopped_detecting_sound": "{entity_name}已停止偵測聲音",
- "entity_name_became_up_to_date": "{entity_name}已最新",
"entity_name_stopped_detecting_vibration": "{entity_name}已停止偵測震動",
"entity_name_not_charging": "{entity_name}未在充電",
"entity_name_became_not_cold": "{entity_name}已不冷",
@@ -2691,7 +3017,6 @@
"entity_name_started_detecting_sound": "{entity_name}已偵測到聲音",
"entity_name_started_detecting_tampering": "{entity_name}已偵測到減弱",
"entity_name_became_unsafe": "{entity_name}已不安全",
- "trigger_type_update": "{entity_name}有更新",
"entity_name_started_detecting_vibration": "{entity_name}已偵測到震動",
"entity_name_is_buffering": "{entity_name} 緩衝中",
"entity_name_is_idle": "{entity_name}閒置",
@@ -2700,29 +3025,6 @@
"entity_name_starts_buffering": "{entity_name}開始緩衝",
"entity_name_becomes_idle": "{entity_name}變成閒置",
"entity_name_starts_playing": "{entity_name}開始播放",
- "entity_name_is_home": "{entity_name}在家",
- "entity_name_is_not_home": "{entity_name}不在家",
- "entity_name_enters_a_zone": "{entity_name}進入區域",
- "entity_name_leaves_a_zone": "{entity_name}離開區域",
- "decrease_entity_name_brightness": "降低{entity_name}亮度",
- "increase_entity_name_brightness": "增加{entity_name}亮度",
- "flash_entity_name": "閃動 {entity_name}",
- "flash": "閃爍",
- "entity_name_update_availability_changed": "{entity_name}可用更新已變更",
- "arm_entity_name_away": "設定{entity_name}外出模式",
- "arm_entity_name_home": "設定{entity_name}返家模式",
- "arm_entity_name_night": "設定{entity_name}夜間模式",
- "arm_entity_name_vacation": "設定{entity_name}度假模式",
- "disarm_entity_name": "解除{entity_name}",
- "trigger_entity_name": "觸發{entity_name}",
- "entity_name_armed_away": "{entity_name}設定外出",
- "entity_name_armed_home": "{entity_name}設定在家",
- "entity_name_armed_night": "{entity_name}設定夜間",
- "entity_name_armed_vacation": "{entity_name}設定度假",
- "entity_name_disarmed": "{entity_name}已解除",
- "entity_name_triggered": "{entity_name}已觸發",
- "press_entity_name_button": "按下 {entity_name} 按鈕",
- "entity_name_has_been_pressed": "{entity_name}已按下",
"action_type_select_first": "將{entity_name}變更為第一個選項",
"action_type_select_last": "將{entity_name}變更為最後一個選項",
"action_type_select_next": "將{entity_name}變更為下一個選項",
@@ -2732,31 +3034,6 @@
"cycle": "循環",
"from": "從...狀態",
"entity_name_option_changed": "{entity_name}選項已變更",
- "close_entity_name_tilt": "關閉{entity_name}傾斜角度",
- "open_entity_name_tilt": "開啟{entity_name}傾斜角度",
- "set_entity_name_position": "設定{entity_name}位置",
- "set_entity_name_tilt_position": "設定{entity_name} 傾斜角度",
- "stop_entity_name": "停止 {entity_name}",
- "entity_name_closing": "{entity_name}正在關閉",
- "entity_name_opening": "{entity_name}正在開啟",
- "current_entity_name_position_is": "目前{entity_name}位置為",
- "condition_type_is_tilt_position": "目前{entity_name} 傾斜角度位置為",
- "entity_name_position_changes": "{entity_name}位置變更",
- "entity_name_tilt_position_changes": "{entity_name}傾斜角度變更",
- "first_button": "第一個按鈕",
- "second_button": "第二個按鈕",
- "third_button": "第三個按鈕",
- "fourth_button": "第四個按鈕",
- "fifth_button": "第五個按鈕",
- "sixth_button": "第六個按鈕",
- "subtype_double_clicked": "{subtype}雙擊",
- "subtype_continuously_pressed": "\"{subtype}\" 持續按下",
- "trigger_type_button_long_release": "\"{subtype}\" 長按後釋放",
- "subtype_quadruple_clicked": "\"{subtype}\" 四連擊",
- "subtype_quintuple_clicked": "\"{subtype}\" 五連點擊",
- "subtype_pressed": "\"{subtype}\" 已按下",
- "subtype_released": "\"{subtype}\" 已釋放",
- "subtype_triple_clicked": "{subtype}三連擊",
"both_buttons": "兩個按鈕",
"bottom_buttons": "下方按鈕",
"seventh_button": "第七個按鈕",
@@ -2781,13 +3058,6 @@
"trigger_type_remote_rotate_from_side": "裝置由「第 6 面」旋轉至「{subtype}」",
"device_turned_clockwise": "裝置順時針旋轉",
"device_turned_counter_clockwise": "裝置逆時針旋轉",
- "send_a_notification": "傳送通知",
- "let_entity_name_clean": "啟動{entity_name}清除",
- "action_type_dock": "啟動{entity_name}回到充電站",
- "entity_name_is_cleaning": "{entity_name}正在清掃",
- "entity_name_is_docked": "{entity_name}於充電站",
- "entity_name_started_cleaning": "{entity_name}開始清掃",
- "entity_name_docked": "{entity_name}已回充電站",
"subtype_button_down": "{subtype}按鈕按下",
"subtype_button_up": "{subtype}按鈕釋放",
"subtype_double_push": "{subtype}雙按",
@@ -2798,27 +3068,48 @@
"trigger_type_single_long": "{subtype}單擊後長按",
"subtype_single_push": "{subtype}單按",
"subtype_triple_push": "{subtype}三連按",
- "lock_entity_name": "上鎖{entity_name}",
- "unlock_entity_name": "解鎖{entity_name}",
+ "arm_entity_name_away": "設定{entity_name}外出模式",
+ "arm_entity_name_home": "設定{entity_name}返家模式",
+ "arm_entity_name_night": "設定{entity_name}夜間模式",
+ "arm_entity_name_vacation": "設定{entity_name}度假模式",
+ "disarm_entity_name": "解除{entity_name}",
+ "trigger_entity_name": "觸發{entity_name}",
+ "entity_name_armed_away": "{entity_name}設定外出",
+ "entity_name_armed_home": "{entity_name}設定在家",
+ "entity_name_armed_night": "{entity_name}設定夜間",
+ "entity_name_armed_vacation": "{entity_name}設定度假",
+ "entity_name_disarmed": "{entity_name}已解除",
+ "entity_name_triggered": "{entity_name}已觸發",
+ "action_type_issue_all_led_effect": "執行全部 LED 效果",
+ "action_type_issue_individual_led_effect": "執行個別 LED 效果",
+ "squawk": "應答",
+ "warn": "警告",
+ "color_hue": "色調",
+ "duration_in_seconds": "持續時間(秒)",
+ "effect_type": "特效類型",
+ "led_number": "LED 數量",
+ "with_face_activated": "已由面容 6 開啟",
+ "with_any_specified_face_s_activated": "已由任何/特定面容開啟",
+ "device_dropped": "裝置掉落",
+ "device_flipped_subtype": "翻動 \"{subtype}\" 裝置",
+ "device_knocked_subtype": "敲擊 \"{subtype}\" 裝置",
+ "device_offline": "裝置離線",
+ "device_rotated_subtype": "旋轉 \"{subtype}\" 裝置",
+ "device_slid_subtype": "推動 \"{subtype}\" 裝置",
+ "device_tilted": "裝置傾斜角度",
+ "trigger_type_remote_button_alt_double_press": "\"{subtype}\" 雙擊鍵(替代模式)",
+ "trigger_type_remote_button_alt_long_press": "\"{subtype}\" 持續按下(替代模式)",
+ "trigger_type_remote_button_alt_long_release": "\"{subtype}\" 長按後釋放(替代模式)",
+ "trigger_type_remote_button_alt_quadruple_press": "\"{subtype}\" 四連擊(替代模式)",
+ "trigger_type_remote_button_alt_quintuple_press": "\"{subtype}\" 五連擊(替代模式)",
+ "subtype_pressed_alternate_mode": "\"{subtype}\" 已按下(替代模式)",
+ "subtype_released_alternate_mode": "\"{subtype}\" 已釋放(替代模式)",
+ "trigger_type_remote_button_alt_triple_press": "\"{subtype}\" 三連擊(替代模式)",
"add_to_queue": "新增至佇列",
"play_next": "播放下一首",
"options_replace": "立即播放並清除佇列",
"repeat_all": "重複全部",
"repeat_one": "重複單曲",
- "no_code_format": "無編碼格式",
- "no_unit_of_measurement": "無測量單位",
- "critical": "關鍵",
- "debug": "除錯",
- "warning": "警告",
- "create_an_empty_calendar": "新增空白行事曆",
- "options_import_ics_file": "上傳 iCalendar 檔案 (.ics)",
- "passive": "被動",
- "most_recently_updated": "最近更新",
- "arithmetic_mean": "算術平均值",
- "median": "中間值",
- "product": "產品",
- "statistical_range": "統計範圍",
- "standard_deviation": "標準差",
"alice_blue": "愛麗絲藍",
"antique_white": "仿古白",
"aqua": "水藍色",
@@ -2937,47 +3228,19 @@
"violet": "紫羅蘭",
"wheat": "小麥色",
"white_smoke": "白煙色",
- "sets_the_value": "設定數值。",
- "the_target_value": "目標值。",
- "device_description": "傳送命令的裝置 ID。",
- "delete_command": "刪除命令",
- "alternative": "替代",
- "command_type_description": "要學習的命令類別。",
- "command_type": "命令類別",
- "timeout_description": "學習命令逾時時間。",
- "learn_command": "學習命令",
- "delay_seconds": "延遲秒數",
- "hold_seconds": "保持秒數",
- "send_command": "傳送命令",
- "sends_the_toggle_command": "傳送開啟/關閉命令。",
- "turn_off_description": "關閉一盞或多盞燈。",
- "turn_on_description": "開始新的清掃任務。",
- "set_datetime_description": "設定日期和/或時間。",
- "the_target_date": "目標日期。",
- "datetime_description": "目標日期和時間。",
- "the_target_time": "目標時間。",
- "creates_a_new_backup": "建立新備份。",
- "apply_description": "以設定啟用場景。",
- "entities_description": "實體列表與其目標狀態。",
- "apply": "套用",
- "creates_a_new_scene": "建立新場景。",
- "scene_id_description": "新場景的實體 ID。",
- "scene_entity_id": "場景實體 ID",
- "snapshot_entities": "系統備份實體",
- "delete_description": "刪除動態建立的場景。",
- "activates_a_scene": "啟用場景。",
- "closes_a_valve": "關閉閥門。",
- "opens_a_valve": "開啟閥門。",
- "set_valve_position_description": "轉動閥門至指定位置。",
- "target_position": "目標位置。",
- "set_position": "設定位置",
- "stops_the_valve_movement": "停止閥門動作。",
- "toggles_a_valve_open_closed": "切換閥門開啟/關閉。",
- "dashboard_path": "儀表板路徑",
- "view_path": "畫布路徑",
- "show_dashboard_view": "顯示儀表板畫布",
- "finish_description": "比預定時間更早完成執行中計時器。",
- "duration_description": "重新啟動計時器的自定義持續時間。",
+ "critical": "關鍵",
+ "debug": "除錯",
+ "passive": "被動",
+ "no_code_format": "無編碼格式",
+ "no_unit_of_measurement": "無測量單位",
+ "most_recently_updated": "最近更新",
+ "arithmetic_mean": "算術平均值",
+ "median": "中間值",
+ "product": "產品",
+ "statistical_range": "統計範圍",
+ "standard_deviation": "標準差",
+ "create_an_empty_calendar": "新增空白行事曆",
+ "options_import_ics_file": "上傳 iCalendar 檔案 (.ics)",
"sets_a_random_effect": "設定隨機特效。",
"sequence_description": "HSV 序列表(最高 16 個)。",
"initial_brightness": "初始亮度。",
@@ -3002,6 +3265,163 @@
"speed_of_spread": "傳播速度。",
"spread": "傳播",
"sequence_effect": "序列特效",
+ "output_path": "Output Path",
+ "trigger_a_node_red_flow": "Trigger a Node-RED flow",
+ "toggles_the_siren_on_off": "開啟/關閉警報。",
+ "turns_the_siren_off": "關閉警報。",
+ "turns_the_siren_on": "開啟警報。",
+ "brightness_value": "亮度值",
+ "a_human_readable_color_name": "容易理解的色彩名稱。",
+ "color_name": "顏色名稱",
+ "color_temperature_in_mireds": "色溫(以 mireds 為單位)",
+ "light_effect": "燈光特效。",
+ "hue_sat_color": "色相/飽和度顏色",
+ "color_temperature_in_kelvin": "色溫(以 Kelvin 為單位)",
+ "profile_description": "使用個人設定燈光名稱。",
+ "rgbw_color": "RGBW 顏色",
+ "rgbww_color": "RGBWW 顏色",
+ "white_description": "將燈光設置為白色模式。",
+ "xy_color": "XY 顏色",
+ "turn_off_description": "傳送關閉命令。",
+ "brightness_step_description": "以定量調整亮度。",
+ "brightness_step_value": "亮度步進值",
+ "brightness_step_pct_description": "以百分比調整亮度。",
+ "brightness_step": "亮度步進",
+ "toggles_the_helper_on_off": "開啟/關閉助手。",
+ "turns_off_the_helper": "關閉助手。",
+ "turns_on_the_helper": "開啟助手。",
+ "pauses_the_mowing_task": "暫停割草任務。",
+ "starts_the_mowing_task": "開始新的割草任務。",
+ "creates_a_new_backup": "建立新備份。",
+ "sets_the_value": "設定數值。",
+ "enter_your_text": "輸入文字。",
+ "set_value": "設定值",
+ "clear_lock_user_code_description": "由鎖定中清除使用者代碼。",
+ "code_slot_description": "要設定代碼的儲位。",
+ "code_slot": "代碼儲位",
+ "clear_lock_user": "清除鎖定使用者",
+ "disable_lock_user_code_description": "由鎖定中關閉使用者代碼。",
+ "code_slot_to_disable": "要關閉的代碼儲位。",
+ "disable_lock_user": "關閉鎖定使用者",
+ "enable_lock_user_code_description": "由鎖定中開啟使用者代碼。",
+ "code_slot_to_enable": "要開啟的代碼儲位。",
+ "enable_lock_user": "開啟鎖定使用者",
+ "args_description": "要傳遞命令的引數。",
+ "args": "引數",
+ "cluster_id_description": "要接收屬性的 ZCL 叢集。",
+ "cluster_id": "叢集 ID",
+ "type_of_the_cluster": "叢集的類別。",
+ "cluster_type": "叢集類別",
+ "command_description": "傳送至 Google Assistant 的命令。",
+ "command_type_description": "要學習的命令類別。",
+ "command_type": "命令類別",
+ "endpoint_id_description": "叢集的端點 ID。",
+ "endpoint_id": "端點 ID",
+ "ieee_description": "裝置的 IEEE 位址。",
+ "ieee": "IEEE",
+ "manufacturer": "製造商",
+ "params_description": "要傳遞命令的參數。",
+ "params": "參數",
+ "issue_zigbee_cluster_command": "發出 Zigbee 叢集命令",
+ "group_description": "群組十六進位位址。",
+ "issue_zigbee_group_command": "發出 Zigbee 群組命令",
+ "permit_description": "允許節點新增至 Zigbee 網路",
+ "time_to_permit_joins": "允許新增的時間。",
+ "install_code": "安裝代碼",
+ "qr_code": "QR 碼",
+ "source_ieee": "來源 IEEE",
+ "permit": "允許",
+ "remove_description": "從 Zigbee 網路移除節點。",
+ "set_lock_user_code_description": "由鎖定中設定使用者代碼。",
+ "code_to_set": "要設定的代碼。",
+ "set_lock_user_code": "設定鎖定使用者代碼",
+ "attribute_description": "要設定的屬性 ID。",
+ "value_description": "設定目標數值",
+ "set_zigbee_cluster_attribute": "設定 zigbee 叢集屬性",
+ "level": "等級",
+ "warning_device_squawk": "警告裝置聲響",
+ "duty_cycle": "工作週期",
+ "intensity": "強度",
+ "warning_device_starts_alert": "警告裝置啟動警報",
+ "dump_log_objects": "轉存日誌物件",
+ "log_current_tasks_description": "紀錄所有目前 asyncio 任務。",
+ "log_current_asyncio_tasks": "紀錄目前 asyncio 任務",
+ "log_event_loop_scheduled": "已安排日誌事件循環",
+ "log_thread_frames_description": "紀錄目前所有線程框架。",
+ "log_thread_frames": "紀錄線程框架",
+ "lru_stats_description": "記錄所有 lru 暫存統計資料。",
+ "log_lru_stats": "紀錄 LRU 統計資料",
+ "starts_the_memory_profiler": "開始記憶體分析器。",
+ "memory": "記憶體",
+ "set_asyncio_debug_description": "開啟或關閉 asyncio 除錯。",
+ "enabled_description": "是否開啟或關閉 asyncio 除錯。",
+ "set_asyncio_debug": "設定 asyncio 除錯",
+ "starts_the_profiler": "開始分析器。",
+ "max_objects_description": "物件紀錄最大數目。",
+ "maximum_objects": "最大物件數",
+ "scan_interval_description": "記錄物件間的秒數。",
+ "scan_interval": "掃描間距",
+ "start_logging_object_sources": "開始紀錄物件來源",
+ "start_log_objects_description": "開始紀錄記憶體中增長物件。",
+ "start_logging_objects": "開始紀錄物件",
+ "stop_logging_object_sources": "停止紀錄物件來源",
+ "stop_log_objects_description": "停止紀錄記憶體中增長物件。",
+ "stop_logging_objects": "停止紀錄物件",
+ "set_default_level_description": "設定整合的預設日誌等級。",
+ "level_description": "所有整合的預設嚴重性等級。",
+ "set_default_level": "設定預設等級",
+ "set_level": "設定等級",
+ "stops_a_running_script": "停止執行中的腳本。",
+ "clear_skipped_update": "清除已跳過更新",
+ "install_update": "安裝更新",
+ "skip_description": "將目前可用的更新標示為跳過。",
+ "skip_update": "跳過更新",
+ "decrease_speed_description": "降低風扇轉速。",
+ "decrease_speed": "降低轉速",
+ "increase_speed_description": "提高風扇轉速。",
+ "increase_speed": "提高轉速",
+ "oscillate_description": "控制風扇擺動。",
+ "turns_oscillation_on_off": "開啟/關閉擺動。",
+ "set_direction_description": "設定風扇旋轉方向。",
+ "direction_description": "風扇旋轉方向。",
+ "set_direction": "設定方向",
+ "set_percentage_description": "設定風扇轉速。",
+ "speed_of_the_fan": "風扇轉速。",
+ "percentage": "百分比",
+ "set_speed": "設定轉速",
+ "sets_preset_fan_mode": "設定預置風扇模式。",
+ "preset_fan_mode": "預置風扇模式。",
+ "set_preset_mode": "設定預置模式",
+ "toggles_a_fan_on_off": "開啟/關閉風扇。",
+ "turns_fan_off": "關閉風扇。",
+ "turns_fan_on": "開啟風扇。",
+ "set_datetime_description": "設定日期和/或時間。",
+ "the_target_date": "目標日期。",
+ "datetime_description": "目標日期和時間。",
+ "the_target_time": "目標時間。",
+ "log_description": "於日誌新增自訂條目。",
+ "entity_id_description": "用於播放訊息的媒體播放器。",
+ "message_description": "通知訊息內容。",
+ "request_sync_description": "傳送 request_sync 命令至 Google。",
+ "agent_user_id": "Agent 使用者 ID",
+ "request_sync": "請求同步",
+ "apply_description": "以設定啟用場景。",
+ "entities_description": "實體列表與其目標狀態。",
+ "apply": "套用",
+ "creates_a_new_scene": "建立新場景。",
+ "scene_id_description": "新場景的實體 ID。",
+ "scene_entity_id": "場景實體 ID",
+ "entities_snapshot": "實體系統備份",
+ "delete_description": "刪除動態建立的場景。",
+ "activates_a_scene": "啟用場景。",
+ "reload_themes_description": "重新載入 YAML 設定主題。",
+ "reload_themes": "重新載入主題",
+ "name_of_a_theme": "主題名稱。",
+ "set_the_default_theme": "設定預設主題",
+ "decrement_description": "以 1 個步進遞減數值。",
+ "increment_description": "以 1 個步進遞增數值。",
+ "reset_description": "重置計數器至其初始值。",
+ "set_value_description": "設定數字值。",
"check_configuration": "檢查設定",
"reload_all": "重新載入全部",
"reload_config_entry_description": "重新載入指定設定條目。",
@@ -3022,9 +3442,158 @@
"generic_toggle": "通用切換",
"generic_turn_off": "通用關閉",
"generic_turn_on": "通用開啟",
- "entity_id_description": "日誌條目中引用的實體。",
"entities_to_update": "要更新的實體",
"update_entity": "更新實體",
+ "notify_description": "針對選擇目標發送通知訊息。",
+ "data": "資料",
+ "title_of_the_notification": "通知標題。",
+ "send_a_persistent_notification": "傳送持續通知",
+ "sends_a_notification_message": "傳送通知訊息。",
+ "your_notification_message": "通知訊息。",
+ "title_description": "通知選項標題。",
+ "send_a_notification_message": "傳送通知訊息",
+ "send_magic_packet": "傳送魔法封包",
+ "topic_to_listen_to": "監聽的主題。",
+ "export": "輸出",
+ "publish_description": "發佈訊息至 MQTT 主題。",
+ "evaluate_payload": "評估 Payload",
+ "the_payload_to_publish": "發佈的內容。",
+ "payload_template": "內容模板",
+ "qos": "QoS",
+ "retain": "保留",
+ "topic_to_publish_to": "發佈的主題。",
+ "publish": "發佈",
+ "load_url_description": "於 Fully Kiosk Browser 載入 URL。",
+ "url_to_load": "所要載入的 URL。",
+ "load_url": "載入 URL",
+ "configuration_parameter_to_set": "要設定的設定參數。",
+ "key": "密鑰",
+ "application_description": "啟動應用程式的套件名稱。",
+ "application": "應用程式",
+ "start_application": "啟動程式",
+ "battery_description": "裝置電池電量。",
+ "gps_coordinates": "GPS 座標",
+ "gps_accuracy_description": "GPS 座標的準確度。",
+ "hostname_of_the_device": "裝置主機名稱。",
+ "hostname": "主機名稱",
+ "mac_description": "裝置 MAC 位址。",
+ "see": "發現",
+ "device_description": "傳送命令的裝置 ID。",
+ "delete_command": "刪除命令",
+ "alternative": "替代",
+ "timeout_description": "學習命令逾時時間。",
+ "learn_command": "學習命令",
+ "delay_seconds": "延遲秒數",
+ "hold_seconds": "保持秒數",
+ "send_command": "傳送命令",
+ "sends_the_toggle_command": "傳送開啟/關閉命令。",
+ "turn_on_description": "開始新的清掃任務。",
+ "get_weather_forecast": "取得天氣預報。",
+ "type_description": "預報類型:每日、每小時或每日兩次。",
+ "forecast_type": "預報類型",
+ "get_forecast": "取得預報",
+ "press_the_button_entity": "按下按鈕實體。",
+ "enable_remote_access": "開啟遠端存取",
+ "disable_remote_access": "關閉遠端存取",
+ "create_description": "顯示通知面板通知。",
+ "notification_id": "通知 ID",
+ "dismiss_description": "刪除通知面板通知。",
+ "notification_id_description": "要刪除的通知 ID。",
+ "dismiss_all_description": "刪除所有通知面板通知。",
+ "locate_description": "定位掃地機器人。",
+ "pauses_the_cleaning_task": "暫停清掃任務。",
+ "send_command_description": "向掃地機器人傳送命令。",
+ "set_fan_speed": "設定風速",
+ "start_description": "開始或繼續清掃任務。",
+ "start_pause_description": "開始、暫停或繼續清掃任務。",
+ "stop_description": "停止目前清掃任務。",
+ "toggle_description": "開啟/關閉媒體播放器。",
+ "play_chime_description": "於 Reolink 門鈴上播放鈴聲。",
+ "target_chime": "目標門鈴",
+ "ringtone_to_play": "播放的鈴聲。",
+ "ringtone": "鈴聲",
+ "play_chime": "播放門鈴",
+ "ptz_move_description": "以定義轉速轉動攝影機。",
+ "ptz_move_speed": "PTZ 轉動速度。",
+ "ptz_move": "PTZ 模式",
+ "disables_the_motion_detection": "關閉動作感測。",
+ "disable_motion_detection": "關閉動作感測",
+ "enables_the_motion_detection": "開啟動作感測。",
+ "enable_motion_detection": "開啟動作感測",
+ "format_description": "媒體播放器支援串流格式。",
+ "format": "格式",
+ "media_player_description": "播放串流的媒體播放器。",
+ "play_stream": "播放串流",
+ "filename_description": "檔案名稱完整路徑,必須為 MP4 檔。",
+ "filename": "檔名",
+ "lookback": "回看",
+ "snapshot_description": "由攝影機拍攝快照。",
+ "full_path_to_filename": "檔案名稱完整路徑。",
+ "take_snapshot": "拍攝快照",
+ "turns_off_the_camera": "關閉攝影機。",
+ "turns_on_the_camera": "開啟攝影機。",
+ "reload_resources_description": "重新載入 YAML 設定儀表板資源。",
+ "clear_tts_cache": "清除 TTS 暫存",
+ "cache": "暫存",
+ "language_description": "文字使用語言。預設為伺服器語言。",
+ "options_description": "包含整合特定選項的字典。",
+ "say_a_tts_message": "閱讀 TTS 訊息",
+ "media_player_entity": "媒體播放器實體",
+ "speak": "閱讀",
+ "send_text_command": "傳送文字命令",
+ "the_target_value": "目標值。",
+ "removes_a_group": "移除群組。",
+ "object_id": "Object ID",
+ "creates_updates_a_group": "建立/更新群組。",
+ "icon_description": "群組圖示名稱。",
+ "name_of_the_group": "群組名稱。",
+ "locks_a_lock": "鎖定鎖。",
+ "code_description": "佈防警戒的代碼。",
+ "opens_a_lock": "打開鎖。",
+ "unlocks_a_lock": "解鎖鎖。",
+ "announce_description": "透過衛星宣布訊息。",
+ "media_id": "媒體 ID",
+ "the_message_to_announce": "公告訊息。",
+ "announce": "公告",
+ "reloads_the_automation_configuration": "重新載入自動化設定。",
+ "trigger_description": "觸發自動化動作。",
+ "skip_conditions": "跳過條件",
+ "trigger": "觸發器",
+ "disables_an_automation": "關閉自動化。",
+ "stops_currently_running_actions": "停止目前執行中動作。",
+ "stop_actions": "停止動作",
+ "enables_an_automation": "開啟自動化。",
+ "deletes_all_log_entries": "刪除所有日誌條目。",
+ "write_log_entry": "寫入日誌條目。",
+ "log_level": "日誌等級。",
+ "message_to_log": "記錄的訊息。",
+ "write": "寫入",
+ "dashboard_path": "儀表板路徑",
+ "view_path": "畫布路徑",
+ "show_dashboard_view": "顯示儀表板畫布",
+ "process_description": "從轉錄文字啟動對話。",
+ "conversation_id": "對話 ID",
+ "transcribed_text_input": "轉錄的文字輸入。",
+ "process": "過程",
+ "reloads_the_intent_configuration": "重新載入 intent 設定。",
+ "conversation_agent_to_reload": "重新載入對話助理。",
+ "closes_a_cover": "關閉窗簾。",
+ "close_cover_tilt_description": "關閉百葉窗。",
+ "close_tilt": "關閉百葉窗",
+ "opens_a_cover": "開啟窗簾。",
+ "tilts_a_cover_open": "打開百葉窗。",
+ "open_tilt": "開啟百葉",
+ "set_cover_position_description": "移動窗簾至指定位置。",
+ "target_position": "目標位置。",
+ "set_position": "設定位置",
+ "target_tilt_positition": "目標百葉位置。",
+ "set_tilt_position": "設定百葉位置",
+ "stops_the_cover_movement": "停止窗簾動作。",
+ "stop_cover_tilt_description": "停止百葉角度調整動作",
+ "stop_tilt": "停止調整",
+ "toggles_a_cover_open_closed": "切換窗簾開啟/關閉。",
+ "toggle_cover_tilt_description": "切換百葉角度開啟/關閉。",
+ "toggle_tilt": "切換角度",
"turns_auxiliary_heater_on_off": "開啟/關閉輔助加熱器。",
"aux_heat_description": "輔助加熱器新設定值",
"auxiliary_heating": "輔助加熱器",
@@ -3038,7 +3607,6 @@
"hvac_operation_mode": "HVAC 運轉模式。",
"set_hvac_mode": "設定 HVAC 模式",
"sets_preset_mode": "設定預置模式。",
- "set_preset_mode": "設定預置模式",
"set_swing_horizontal_mode_description": "設定水平擺動操作模式。",
"horizontal_swing_operation_mode": "水平擺動操作模式。",
"set_horizontal_swing_mode": "設定水平擺動模式",
@@ -3050,75 +3618,8 @@
"the_min_temperature_setpoint": "最低溫度目標值。",
"the_temperature_setpoint": "溫度目標值。",
"set_target_temperature": "設定目標溫度",
- "turns_climate_device_off": "關閉溫控裝置。",
- "turns_climate_device_on": "開啟溫控裝置。",
- "decrement_description": "以 1 個步進遞減數值。",
- "increment_description": "以 1 個步進遞增數值。",
- "reset_description": "重置計數器至其初始值。",
- "set_value_description": "設定數字值。",
- "set_datapoint": "Set datapoint",
- "set_dp_description": "Change the value of a datapoint (DP)",
- "dp": "DP",
- "datapoint_index": "Datapoint index",
- "new_value_to_set": "New value to set",
- "value_description": "設定參數數值",
- "clear_playlist_description": "從播放列表中移除所有項目。",
- "clear_playlist": "清除播放列表",
- "selects_the_next_track": "選擇下一個曲目。",
- "pauses": "暫停。",
- "starts_playing": "開始播放。",
- "toggles_play_pause": "切換播放/暫停。",
- "selects_the_previous_track": "選擇上一個曲目。",
- "seek": "搜尋",
- "stops_playing": "停止播放。",
- "starts_playing_specified_media": "開始播放指定媒體。",
- "announce": "公告",
- "repeat_mode_to_set": "設定重複模式。",
- "select_sound_mode_description": "選擇特定的聲音模式。",
- "select_sound_mode": "選擇聲音模式",
- "select_source": "選擇來源",
- "shuffle_description": "是否開啟隨機播放模式。",
- "toggle_description": "開啟/關閉掃地機器人。",
- "unjoin": "取消加入",
- "turns_down_the_volume": "調低音量。",
- "turn_down_volume": "調低音量",
- "volume_mute_description": "將媒體播放器靜音或取消靜音。",
- "is_volume_muted_description": "定義是否靜音。",
- "mute_unmute_volume": "靜音/取消靜音音量",
- "sets_the_volume_level": "設定音量等級。",
- "level": "等級",
- "set_volume": "設定音量",
- "turns_up_the_volume": "調高音量。",
- "turn_up_volume": "調高音量",
- "battery_description": "裝置電池電量。",
- "gps_coordinates": "GPS 座標",
- "gps_accuracy_description": "GPS 座標的準確度。",
- "hostname_of_the_device": "裝置主機名稱。",
- "hostname": "主機名稱",
- "mac_description": "裝置 MAC 位址。",
- "see": "發現",
- "brightness_value": "亮度值",
- "a_human_readable_color_name": "容易理解的色彩名稱。",
- "color_name": "顏色名稱",
- "color_temperature_in_mireds": "色溫(以 mireds 為單位)",
- "light_effect": "燈光特效。",
- "hue_sat_color": "色相/飽和度顏色",
- "color_temperature_in_kelvin": "色溫(以 Kelvin 為單位)",
- "profile_description": "使用個人設定燈光名稱。",
- "rgbw_color": "RGBW 顏色",
- "rgbww_color": "RGBWW 顏色",
- "white_description": "將燈光設置為白色模式。",
- "xy_color": "XY 顏色",
- "brightness_step_description": "以定量調整亮度。",
- "brightness_step_value": "亮度步進值",
- "brightness_step_pct_description": "以百分比調整亮度。",
- "brightness_step": "亮度步進",
- "add_event_description": "新增行事曆行程。",
- "calendar_id_description": "希望行事曆 ID。",
- "calendar_id": "行事曆 ID",
- "description_description": "行事曆行程說明,選項。",
- "summary_description": "使用為行程標題。",
- "location_description": "行程位置。",
+ "turns_climate_device_off": "關閉溫控裝置。",
+ "turns_climate_device_on": "開啟溫控裝置。",
"apply_filter": "套用篩選器",
"days_to_keep": "保留天數",
"repack": "重新封包",
@@ -3126,51 +3627,31 @@
"entity_globs_to_remove": "要刪除的實體群組",
"entities_to_remove": "要刪除的實體",
"purge_entities": "清除實體",
- "dump_log_objects": "轉存日誌物件",
- "log_current_tasks_description": "紀錄所有目前 asyncio 任務。",
- "log_current_asyncio_tasks": "紀錄目前 asyncio 任務",
- "log_event_loop_scheduled": "已安排日誌事件循環",
- "log_thread_frames_description": "紀錄目前所有線程框架。",
- "log_thread_frames": "紀錄線程框架",
- "lru_stats_description": "記錄所有 lru 暫存統計資料。",
- "log_lru_stats": "紀錄 LRU 統計資料",
- "starts_the_memory_profiler": "開始記憶體分析器。",
- "memory": "記憶體",
- "set_asyncio_debug_description": "開啟或關閉 asyncio 除錯。",
- "enabled_description": "是否開啟或關閉 asyncio 除錯。",
- "set_asyncio_debug": "設定 asyncio 除錯",
- "starts_the_profiler": "開始分析器。",
- "max_objects_description": "物件紀錄最大數目。",
- "maximum_objects": "最大物件數",
- "scan_interval_description": "記錄物件間的秒數。",
- "scan_interval": "掃描間距",
- "start_logging_object_sources": "開始紀錄物件來源",
- "start_log_objects_description": "開始紀錄記憶體中增長物件。",
- "start_logging_objects": "開始紀錄物件",
- "stop_logging_object_sources": "停止紀錄物件來源",
- "stop_log_objects_description": "停止紀錄記憶體中增長物件。",
- "stop_logging_objects": "停止紀錄物件",
- "reload_themes_description": "重新載入 YAML 設定主題。",
- "reload_themes": "重新載入主題",
- "name_of_a_theme": "主題名稱。",
- "set_the_default_theme": "設定預設主題",
- "clear_tts_cache": "清除 TTS 暫存",
- "cache": "暫存",
- "language_description": "文字使用語言。預設為伺服器語言。",
- "options_description": "包含整合特定選項的字典。",
- "say_a_tts_message": "閱讀 TTS 訊息",
- "media_player_entity_id_description": "用於播放訊息的媒體播放器。",
- "media_player_entity": "媒體播放器實體",
- "speak": "閱讀",
- "reload_resources_description": "重新載入 YAML 設定儀表板資源。",
- "toggles_the_siren_on_off": "開啟/關閉警報。",
- "turns_the_siren_off": "關閉警報。",
- "turns_the_siren_on": "開啟警報。",
- "toggles_the_helper_on_off": "開啟/關閉助手。",
- "turns_off_the_helper": "關閉助手。",
- "turns_on_the_helper": "開啟助手。",
- "pauses_the_mowing_task": "暫停割草任務。",
- "starts_the_mowing_task": "開始新的割草任務。",
+ "clear_playlist_description": "從播放列表中移除所有項目。",
+ "clear_playlist": "清除播放列表",
+ "selects_the_next_track": "選擇下一個曲目。",
+ "pauses": "暫停。",
+ "starts_playing": "開始播放。",
+ "toggles_play_pause": "切換播放/暫停。",
+ "selects_the_previous_track": "選擇上一個曲目。",
+ "seek": "搜尋",
+ "stops_playing": "停止播放。",
+ "starts_playing_specified_media": "開始播放指定媒體。",
+ "repeat_mode_to_set": "設定重複模式。",
+ "select_sound_mode_description": "選擇特定的聲音模式。",
+ "select_sound_mode": "選擇聲音模式",
+ "select_source": "選擇來源",
+ "shuffle_description": "是否開啟隨機播放模式。",
+ "unjoin": "取消加入",
+ "turns_down_the_volume": "調低音量。",
+ "turn_down_volume": "調低音量",
+ "volume_mute_description": "將媒體播放器靜音或取消靜音。",
+ "is_volume_muted_description": "定義是否靜音。",
+ "mute_unmute_volume": "靜音/取消靜音音量",
+ "sets_the_volume_level": "設定音量等級。",
+ "set_volume": "設定音量",
+ "turns_up_the_volume": "調高音量。",
+ "turn_up_volume": "調高音量",
"restarts_an_add_on": "重啟附加元件。",
"the_add_on_to_restart": "欲重啟的附加元件。",
"restart_add_on": "重啟附加元件",
@@ -3207,37 +3688,6 @@
"restore_partial_description": "回復部分備份。",
"restores_home_assistant": "回復 Home Assistant。",
"restore_from_partial_backup": "回復部分備份",
- "decrease_speed_description": "降低風扇轉速。",
- "decrease_speed": "降低轉速",
- "increase_speed_description": "提高風扇轉速。",
- "increase_speed": "提高轉速",
- "oscillate_description": "控制風扇擺動。",
- "turns_oscillation_on_off": "開啟/關閉擺動。",
- "set_direction_description": "設定風扇旋轉方向。",
- "direction_description": "風扇旋轉方向。",
- "set_direction": "設定方向",
- "set_percentage_description": "設定風扇轉速。",
- "speed_of_the_fan": "風扇轉速。",
- "percentage": "百分比",
- "set_speed": "設定轉速",
- "sets_preset_fan_mode": "設定預置風扇模式。",
- "preset_fan_mode": "預置風扇模式。",
- "toggles_a_fan_on_off": "開啟/關閉風扇。",
- "turns_fan_off": "關閉風扇。",
- "turns_fan_on": "開啟風扇。",
- "get_weather_forecast": "取得天氣預報。",
- "type_description": "預報類型:每日、每小時或每日兩次。",
- "forecast_type": "預報類型",
- "get_forecast": "取得預報",
- "clear_skipped_update": "清除已跳過更新",
- "install_update": "安裝更新",
- "skip_description": "將目前可用的更新標示為跳過。",
- "skip_update": "跳過更新",
- "code_description": "用於解鎖鎖的代碼。",
- "alarm_arm_vacation_description": "將警報設定為:度假警戒(_armed for vacation_)。",
- "disarms_the_alarm": "解除警報。",
- "trigger_the_alarm_manually": "手動啟用警報觸發器",
- "trigger": "觸發器",
"selects_the_first_option": "選擇第一個選項。",
"first": "最初",
"selects_the_last_option": "選擇最後一個選項。",
@@ -3245,73 +3695,15 @@
"selects_an_option": "選擇選項。",
"option_to_be_selected": "選擇的選項。",
"selects_the_previous_option": "選擇上一個選項。",
- "disables_the_motion_detection": "關閉動作感測。",
- "disable_motion_detection": "關閉動作感測",
- "enables_the_motion_detection": "開啟動作感測。",
- "enable_motion_detection": "開啟動作感測",
- "format_description": "媒體播放器支援串流格式。",
- "format": "格式",
- "media_player_description": "播放串流的媒體播放器。",
- "play_stream": "播放串流",
- "filename_description": "檔案名稱完整路徑,必須為 MP4 檔。",
- "filename": "檔名",
- "lookback": "回看",
- "snapshot_description": "由攝影機拍攝快照。",
- "full_path_to_filename": "檔案名稱完整路徑。",
- "take_snapshot": "拍攝快照",
- "turns_off_the_camera": "關閉攝影機。",
- "turns_on_the_camera": "開啟攝影機。",
- "press_the_button_entity": "按下按鈕實體。",
+ "add_event_description": "新增行事曆行程。",
+ "location_description": "行事曆位置,選項。",
"start_date_description": "整日行程開始的日期。",
"get_events": "取得事件",
- "sets_the_options": "設定選項。",
- "list_of_options": "選項列表。",
- "set_options": "設定選項",
- "closes_a_cover": "關閉窗簾。",
- "close_cover_tilt_description": "關閉百葉窗。",
- "close_tilt": "關閉百葉窗",
- "opens_a_cover": "開啟窗簾。",
- "tilts_a_cover_open": "打開百葉窗。",
- "open_tilt": "開啟百葉",
- "set_cover_position_description": "移動窗簾至指定位置。",
- "target_tilt_positition": "目標百葉位置。",
- "set_tilt_position": "設定百葉位置",
- "stops_the_cover_movement": "停止窗簾動作。",
- "stop_cover_tilt_description": "停止百葉角度調整動作",
- "stop_tilt": "停止調整",
- "toggles_a_cover_open_closed": "切換窗簾開啟/關閉。",
- "toggle_cover_tilt_description": "切換百葉角度開啟/關閉。",
- "toggle_tilt": "切換角度",
- "request_sync_description": "傳送 request_sync 命令至 Google。",
- "agent_user_id": "Agent 使用者 ID",
- "request_sync": "請求同步",
- "log_description": "於日誌新增自訂條目。",
- "message_description": "通知訊息內容。",
- "enter_your_text": "輸入文字。",
- "set_value": "設定值",
- "topic_to_listen_to": "監聽的主題。",
- "export": "輸出",
- "publish_description": "發佈訊息至 MQTT 主題。",
- "evaluate_payload": "評估 Payload",
- "the_payload_to_publish": "發佈的內容。",
- "payload_template": "內容模板",
- "qos": "QoS",
- "retain": "保留",
- "topic_to_publish_to": "發佈的主題。",
- "publish": "發佈",
- "reloads_the_automation_configuration": "重新載入自動化設定。",
- "trigger_description": "觸發自動化動作。",
- "skip_conditions": "跳過條件",
- "disables_an_automation": "關閉自動化。",
- "stops_currently_running_actions": "停止目前執行中動作。",
- "stop_actions": "停止動作",
- "enables_an_automation": "開啟自動化。",
- "enable_remote_access": "開啟遠端存取",
- "disable_remote_access": "關閉遠端存取",
- "set_default_level_description": "設定整合的預設日誌等級。",
- "level_description": "所有整合的預設嚴重性等級。",
- "set_default_level": "設定預設等級",
- "set_level": "設定等級",
+ "closes_a_valve": "關閉閥門。",
+ "opens_a_valve": "開啟閥門。",
+ "set_valve_position_description": "轉動閥門至指定位置。",
+ "stops_the_valve_movement": "停止閥門動作。",
+ "toggles_a_valve_open_closed": "切換閥門開啟/關閉。",
"bridge_identifier": "橋接器識別",
"configuration_payload": "設定 payload",
"entity_description": "代表 deCONZ 特定裝置端點。",
@@ -3319,78 +3711,30 @@
"device_refresh_description": "更新來自 deCONZ 的可用裝置。",
"device_refresh": "裝置更新",
"remove_orphaned_entries": "移除孤立的實體",
- "locate_description": "定位掃地機器人。",
- "pauses_the_cleaning_task": "暫停清掃任務。",
- "send_command_description": "向掃地機器人傳送命令。",
- "command_description": "傳送至 Google Assistant 的命令。",
- "parameters": "參數",
- "set_fan_speed": "設定風速",
- "start_description": "開始或繼續清掃任務。",
- "start_pause_description": "開始、暫停或繼續清掃任務。",
- "stop_description": "停止目前清掃任務。",
- "output_path": "Output Path",
- "trigger_a_node_red_flow": "Trigger a Node-RED flow",
- "toggles_a_switch_on_off": "打開/關閉開關。",
- "turns_a_switch_off": "關閉開關。",
- "turns_a_switch_on": "打開開關。",
+ "calendar_id_description": "希望行事曆 ID。",
+ "calendar_id": "行事曆 ID",
+ "description_description": "行事曆行程說明,選項。",
+ "summary_description": "使用為行程標題。",
"extract_media_url_description": "由服務中取得媒體網址。",
"format_query": "格式查詢",
"url_description": "可找到媒體的網址。",
"media_url": "媒體網址",
"get_media_url": "取得媒體網址",
"play_media_description": "由提供位置下載檔案。",
- "notify_description": "針對選擇目標發送通知訊息。",
- "data": "資料",
- "title_of_the_notification": "通知標題。",
- "send_a_persistent_notification": "傳送持續通知",
- "sends_a_notification_message": "傳送通知訊息。",
- "your_notification_message": "通知訊息。",
- "title_description": "通知選項標題。",
- "send_a_notification_message": "傳送通知訊息",
- "process_description": "從轉錄文字啟動對話。",
- "conversation_id": "對話 ID",
- "transcribed_text_input": "轉錄的文字輸入。",
- "process": "過程",
- "reloads_the_intent_configuration": "重新載入 intent 設定。",
- "conversation_agent_to_reload": "重新載入對話助理。",
- "play_chime_description": "於 Reolink 門鈴上播放鈴聲。",
- "target_chime": "目標門鈴",
- "ringtone_to_play": "播放的鈴聲。",
- "ringtone": "鈴聲",
- "play_chime": "播放門鈴",
- "ptz_move_description": "以定義轉速轉動攝影機。",
- "ptz_move_speed": "PTZ 轉動速度。",
- "ptz_move": "PTZ 模式",
- "send_magic_packet": "傳送魔法封包",
- "send_text_command": "傳送文字命令",
- "announce_description": "透過衛星宣布訊息。",
- "media_id": "媒體 ID",
- "the_message_to_announce": "公告訊息。",
- "deletes_all_log_entries": "刪除所有日誌條目。",
- "write_log_entry": "寫入日誌條目。",
- "log_level": "日誌等級。",
- "message_to_log": "記錄的訊息。",
- "write": "寫入",
- "locks_a_lock": "鎖定鎖。",
- "opens_a_lock": "打開鎖。",
- "unlocks_a_lock": "解鎖鎖。",
- "removes_a_group": "移除群組。",
- "object_id": "Object ID",
- "creates_updates_a_group": "建立/更新群組。",
- "icon_description": "群組圖示名稱。",
- "name_of_the_group": "群組名稱。",
- "stops_a_running_script": "停止執行中的腳本。",
- "create_description": "顯示通知面板通知。",
- "notification_id": "通知 ID",
- "dismiss_description": "刪除通知面板通知。",
- "notification_id_description": "要刪除的通知 ID。",
- "dismiss_all_description": "刪除所有通知面板通知。",
- "load_url_description": "於 Fully Kiosk Browser 載入 URL。",
- "url_to_load": "所要載入的 URL。",
- "load_url": "載入 URL",
- "configuration_parameter_to_set": "要設定的設定參數。",
- "key": "密鑰",
- "application_description": "啟動應用程式的套件名稱。",
- "application": "應用程式",
- "start_application": "啟動程式"
+ "sets_the_options": "設定選項。",
+ "list_of_options": "選項列表。",
+ "set_options": "設定選項",
+ "alarm_arm_vacation_description": "將警報設定為:度假警戒(_armed for vacation_)。",
+ "disarms_the_alarm": "解除警報。",
+ "trigger_the_alarm_manually": "手動啟用警報觸發器",
+ "set_datapoint": "Set datapoint",
+ "set_dp_description": "Change the value of a datapoint (DP)",
+ "dp": "DP",
+ "datapoint_index": "Datapoint index",
+ "new_value_to_set": "New value to set",
+ "finish_description": "比預定時間更早完成執行中計時器。",
+ "duration_description": "重新啟動計時器的自定義持續時間。",
+ "toggles_a_switch_on_off": "打開/關閉開關。",
+ "turns_a_switch_off": "關閉開關。",
+ "turns_a_switch_on": "打開開關。"
}
\ No newline at end of file
diff --git a/packages/core/src/hooks/useLocale/useLocale.stories.tsx b/packages/core/src/hooks/useLocale/useLocale.stories.tsx
index ae90e19c..3844201d 100644
--- a/packages/core/src/hooks/useLocale/useLocale.stories.tsx
+++ b/packages/core/src/hooks/useLocale/useLocale.stories.tsx
@@ -18,6 +18,11 @@ import { styled } from "@mui/material/styles";
import Select, { SelectChangeEvent } from "@mui/material/Select";
import { VariableSizeList, ListChildComponentProps } from "react-window";
import { Column, Row } from "@components";
+import useLocaleExample from "./examples/useLocale.code?raw";
+import findReplaceExample from "./examples/findReplace.code?raw";
+import localesConstantExample from "./examples/localesConstant.code?raw";
+import localizeFunctionExample from "./examples/localizeFunction.code?raw";
+import useLocalesExample from "./examples/useLocales.code?raw";
const ITEM_HEIGHT = 48;
@@ -195,84 +200,44 @@ function Page() {
{value}>; // should translate to "${data?.[selectedKey as LocaleKeys]}"
-}
- `}
+ code={localizeFunctionExample
+ .replace(" as LocaleKeys", "")
+ .replace(/{{selectedKey}}/g, selectedKey)
+ .replace(/{{value}}/g, data?.[selectedKey as LocaleKeys] || "")}
/>
You can also use the useLocale hook which is less likely to be something you'll use but it is available.
{value}>; // should translate to "${data?.[selectedKey as LocaleKeys]}"
-}
- `}
+ code={useLocaleExample
+ .replace(" as LocaleKeys", "")
+ .replace(/{{selectedKey}}/g, selectedKey)
+ .replace(/{{value}}/g, data?.[selectedKey as LocaleKeys] || "")}
/>
>
)}
-
Examples
+
useLocales hook
This hook will simply return all available locales retrieved from Home Assistant, you don't need to use this hook at all unless
you want to transform the value or inspect all values available. You can use the `localize` method directly anywhere in your
application.
If you want to find/replace a value that's expected to be dynamic as it might contain a value wrapped in curly braces:
- {localize('panel.calendar', {
- search: '{state}',
- replace: calendar.state,
- fallback: 'Calendar is not available' // this will be used if \`panel.calendar\` is not available in the locales
- })}>;
- }
- `}
- />
+
Find and replace
+
If you want to find/replace a value that's expected to be dynamic as it might contain a value wrapped in curly braces:
+
+
Fetch Locales
This is a list of all the available locales, including their hash names, but also including a fetch method which will download the
assets and cache locally
-
- Note: This is an example, you do NOT need to do this, it's automatically handled through HassConnect and retrieved from your
- home assistant instance.
-
+ NOTE: This is an example, you do NOT need to do this, it's automatically handled through HassConnect and retrieved from
+ your home assistant instance.
+
+
Most of the time, what's available may work just fine for you, however if you want to replace the locales that the localize
function uses across the board, you can call `updateLocales` manually, however this will not update the types for LocaleKeys so
diff --git a/packages/core/src/hooks/useLogs/examples/basic.code.tsx b/packages/core/src/hooks/useLogs/examples/basic.code.tsx
new file mode 100644
index 00000000..0b2db53e
--- /dev/null
+++ b/packages/core/src/hooks/useLogs/examples/basic.code.tsx
@@ -0,0 +1,20 @@
+import { HassConnect, useLogs } from "@hakit/core";
+
+function Office() {
+ const logs = useLogs("light.some_light");
+ // can now access all properties relating to the logs for this light.
+ return (
+
+ There are {logs.length} logs for this light.
+ {JSON.stringify(logs, null, 2)}
+
+ );
+}
+
+export function App() {
+ return (
+
+
+
+ );
+}
diff --git a/packages/core/src/hooks/useLogs/useLogsDocs.mdx b/packages/core/src/hooks/useLogs/useLogsDocs.mdx
index 8866afc0..3fa2d26d 100644
--- a/packages/core/src/hooks/useLogs/useLogsDocs.mdx
+++ b/packages/core/src/hooks/useLogs/useLogsDocs.mdx
@@ -1,4 +1,5 @@
import { Meta, Source } from '@storybook/blocks';
+import basicExample from './examples/basic.code?raw';
@@ -6,26 +7,12 @@ import { Meta, Source } from '@storybook/blocks';
###### `useLogs(entityId: EntityName, options: UseLogOptions)`
This hook is designed to retrieve the current log information from the entitiy if available.
-NOTE: This hook is already connected to the Modal via the LogBookRenderer component.
+> NOTE: This hook is already connected to the Modal via the LogBookRenderer component.
-This will automatically subscribe/unsubscribe for you so there's no need to manage anything.
+> This will automatically subscribe/unsubscribe for you so there's no need to manage anything.
### Example Usage
-
- DO SOMETHING WITH THE LOGS!
-
-}
-function App() {
- return
-
-
-}
-`} />
+
diff --git a/packages/core/src/hooks/useLowDevices/examples/basic.code.tsx b/packages/core/src/hooks/useLowDevices/examples/basic.code.tsx
new file mode 100644
index 00000000..02da9568
--- /dev/null
+++ b/packages/core/src/hooks/useLowDevices/examples/basic.code.tsx
@@ -0,0 +1,33 @@
+import { useLowDevices, HassConnect, type EntityName } from "@hakit/core";
+import { EntitiesCard, EntitiesCardRow, ThemeProvider } from "@hakit/components";
+
+export function RenderDevices() {
+ const devices = useLowDevices();
+ return (
+
+ {devices.map((device) => (
+ {
+ return (
+
+
+ >
+ );
+}
+export function App() {
+ return (
+
+
+
+ );
+}
diff --git a/packages/core/src/hooks/useService/examples/rootLevel.code.tsx b/packages/core/src/hooks/useService/examples/rootLevel.code.tsx
new file mode 100644
index 00000000..fc679600
--- /dev/null
+++ b/packages/core/src/hooks/useService/examples/rootLevel.code.tsx
@@ -0,0 +1,34 @@
+import { HassConnect, useService } from "@hakit/core";
+function UseServiceExample() {
+ const api = useService();
+ return (
+ <>
+
+
+ >
+ );
+}
+
+export function App() {
+ return (
+
+
+
+ );
+}
diff --git a/packages/core/src/hooks/useService/examples/rootTarget.code.tsx b/packages/core/src/hooks/useService/examples/rootTarget.code.tsx
new file mode 100644
index 00000000..0614bfe5
--- /dev/null
+++ b/packages/core/src/hooks/useService/examples/rootTarget.code.tsx
@@ -0,0 +1,12 @@
+import { HassConnect, useService } from "@hakit/core";
+function UseServiceExample() {
+ const lightService = useService("light", "light.some_light_entity");
+ return ;
+}
+export function App() {
+ return (
+
+
+
+ );
+}
diff --git a/packages/core/src/hooks/useService/examples/serviceLevel.code.tsx b/packages/core/src/hooks/useService/examples/serviceLevel.code.tsx
new file mode 100644
index 00000000..0e3217ec
--- /dev/null
+++ b/packages/core/src/hooks/useService/examples/serviceLevel.code.tsx
@@ -0,0 +1,22 @@
+import { HassConnect, useService } from "@hakit/core";
+function UseServiceExample() {
+ const lightService = useService("light");
+ return (
+
+ );
+}
+export function App() {
+ return (
+
+
+
+ );
+}
diff --git a/packages/core/src/hooks/useService/useService.mdx b/packages/core/src/hooks/useService/useService.mdx
index 0b8eb395..39ec8aef 100644
--- a/packages/core/src/hooks/useService/useService.mdx
+++ b/packages/core/src/hooks/useService/useService.mdx
@@ -1,4 +1,9 @@
import { Source, Meta } from '@storybook/blocks';
+import responseExample from './examples/response.code?raw';
+import preferredExample from './examples/preferred.code?raw';
+import serviceLevel from './examples/serviceLevel.code?raw';
+import rootLevel from './examples/rootLevel.code?raw';
+import rootTarget from './examples/rootTarget.code?raw';
@@ -6,125 +11,35 @@ import { Source, Meta } from '@storybook/blocks';
###### `useService(domain?: SnakeOrCamelDomain, rootTarget?: Target)`
This hook is designed to make it easy to make service calls programmatically.
-This is a memoized wrapper for the [callService()](/docs/core-hooks-usehass-callservice--docs) helper from [useHass()](/docs/core-hooks-usehass--docs) to make it
+This is a memoized wrapper for the [callService()](/docs/core-hooks-usehass-hass-callservice--docs) helper from [useHass()](/docs/core-hooks-usehass--docs) to make it
easier to call services.
**Note:** There's extensive types available for typescript developers to make it very easy to develop and call actions with the available types for different
services, if a service isn't available in the types or the params are different / incorrect to what you're expecting you can extend these [here](/docs/introduction-typescriptsync--docs).
-This hook should be used inside the context of `` and not outside of it otherwise it will not have access to
+This hook should be used inside the context of [``](/docs/core-hassconnect--docs) and not outside of it otherwise it will not have access to
the authenticated home assistant API.
### Preferred usage
The `useService()` hook is integrated with the `useEntity` hook so you can use it directly from the entity object.
Everything is typed so it makes it very easy to use and develop with.
- entity.service.toggle()} >TOGGLE LIGHT
-}
-function App() {
- return
-
-
-}
-`} />
+
### Service level usage
We can use the hook to retrieve all the available services for a specific domain, eg "light, mediaPlayer etc...".
- lightService.toggle({
- target: 'light.some_light_entity'
- })}>TOGGLE LIGHT
- );
-}
-function App() {
- return
-
-
-}
-`} />
+
## Root level usage
We can also use the hook to retrieve all the available services and use them as needed.
- api('light').toggle({
- target: 'light.some_light_entity',
- })}>TOGGLE LIGHT
-
- );
-}`} />
+
## Attach entity to root hook
We can use the `rootTarget` param to tell the hook that every call will be bound to one particular entity.
- lightService.toggle()}>TOGGLE LIGHT
- );
-}
-function App() {
- return
-
-
-}
-`} />
+
## Returning a response
Some services return a response, like the calendar `getEvents` service, you can access this response value by adding `returnResponse` to the service call.
The response object type is able to be defined by passing a generic type to the service call itself, see example below:
-([]);
- const getEvents = useCallback(async() => {
- const events = await service.getEvents({
- target: 'calendar.some_calendar',
- serviceData: {
- start_date_time: '2024-12-22 20:00:00',
- duration: {
- days: 24
- }
- },
- returnResponse: true,
- });
- setEvents(events.response["calendar.some_calendar"].events);
- }, [service]);
- return (
-
There are {events.length} events
-
- );
-}
-function App() {
- return
-
-
-}
-`} />
\ No newline at end of file
+
\ No newline at end of file
diff --git a/packages/core/src/hooks/useSubscribeEntity/examples/basic.code.tsx b/packages/core/src/hooks/useSubscribeEntity/examples/basic.code.tsx
new file mode 100644
index 00000000..eabbea7c
--- /dev/null
+++ b/packages/core/src/hooks/useSubscribeEntity/examples/basic.code.tsx
@@ -0,0 +1,14 @@
+import { HassConnect, useSubscribeEntity } from "@hakit/core";
+
+function Office() {
+ const getEntity = useSubscribeEntity("light.some_light");
+ const entity = getEntity();
+ return
{entity?.state}
;
+}
+export function App() {
+ return (
+
+
+
+ );
+}
diff --git a/packages/core/src/hooks/useSubscribeEntity/useSubscribeEntity.mdx b/packages/core/src/hooks/useSubscribeEntity/useSubscribeEntity.mdx
index 6cd5ab5c..fe694003 100644
--- a/packages/core/src/hooks/useSubscribeEntity/useSubscribeEntity.mdx
+++ b/packages/core/src/hooks/useSubscribeEntity/useSubscribeEntity.mdx
@@ -1,4 +1,5 @@
import { Meta, Source } from '@storybook/blocks';
+import basicExample from './examples//basic.code?raw';
@@ -10,19 +11,5 @@ This will subscribe to a single entity and only return an updated getEntity func
### Example Usage
-
- {entity.state}
-
-}
-function App() {
- return
-
-
-}
-`} />
+
diff --git a/packages/core/src/hooks/useTemplate/examples/basic.code.tsx b/packages/core/src/hooks/useTemplate/examples/basic.code.tsx
new file mode 100644
index 00000000..bc73bdf9
--- /dev/null
+++ b/packages/core/src/hooks/useTemplate/examples/basic.code.tsx
@@ -0,0 +1,19 @@
+import { useTemplate, HassConnect } from "@hakit/core";
+import { templateCodeToProcess } from "./constants";
+
+function RenderCustomTemplate() {
+ const template = useTemplate({
+ template: templateCodeToProcess,
+ variables: { entity_id: "light.fake_light_1" },
+ });
+
+ return <>Template result: {template ?? "loading"}>;
+}
+
+export function App() {
+ return (
+
+
+
+ );
+}
diff --git a/packages/core/src/hooks/useTemplate/examples/constants.ts b/packages/core/src/hooks/useTemplate/examples/constants.ts
new file mode 100644
index 00000000..0471e1e4
--- /dev/null
+++ b/packages/core/src/hooks/useTemplate/examples/constants.ts
@@ -0,0 +1,7 @@
+export const templateCodeToProcess = `
+ {% if is_state(entity_id, "on") %}
+ The entity is on!!
+ {% else %}
+ The entity is not on!!
+ {% endif %}
+`;
diff --git a/packages/core/src/hooks/useTemplate/examples/simple.code.tsx b/packages/core/src/hooks/useTemplate/examples/simple.code.tsx
new file mode 100644
index 00000000..9eb49aac
--- /dev/null
+++ b/packages/core/src/hooks/useTemplate/examples/simple.code.tsx
@@ -0,0 +1,9 @@
+import { useTemplate } from "@hakit/core";
+
+export function Component() {
+ // use within HassConnect context!
+ const template = useTemplate({
+ template: '{{ is_state_attr("climate.air_conditioner", "state", "heat") }}',
+ });
+ return template;
+}
diff --git a/packages/core/src/hooks/useTemplate/useTemplate.stories.tsx b/packages/core/src/hooks/useTemplate/useTemplate.stories.tsx
index 6e7fa1d7..790b2d60 100644
--- a/packages/core/src/hooks/useTemplate/useTemplate.stories.tsx
+++ b/packages/core/src/hooks/useTemplate/useTemplate.stories.tsx
@@ -3,34 +3,9 @@ import type { Meta, StoryObj } from "@storybook/react";
import { useTemplate, useEntity } from "@hakit/core";
import { ThemeProvider, Column, Alert, Row, FabCard } from "@components";
import { HassConnect } from "@hass-connect-fake";
-
-const templateCodeToProcess = `
-{% if is_state(entity_id, "on") %}
- The entity is on!!
-{% else %}
- The entity is not on!!
-{% endif %}
-`;
-
-const exampleUsage = `
-import { useTemplate, HassConnect } from "@hakit/core";
-function RenderCustomTemplate() {
- const template = useTemplate({
- template: templateCodeToProcess,
- variables: { entity_id: 'light.fake_light_1' }
- });
- return <>
- Template result: {template ?? 'loading'}
- >
-}\n
-function App() {
- return (
-
-
-
- );
-}
-`;
+import { templateCodeToProcess } from "./examples/constants";
+import basicExample from "./examples/basic.code?raw";
+import simpleExample from "./examples/simple.code?raw";
function SubscribeTemplateExample() {
const entity = useEntity("light.fake_light_1");
@@ -56,7 +31,7 @@ function SubscribeTemplateExample() {
-
+
);
}
@@ -89,12 +64,7 @@ export default {
The following is the use of the hook in it's default form:
-
+
Here's a working example of how this hook functions when connected to entities:
>
diff --git a/packages/core/src/hooks/useWeather/examples/basic.code.tsx b/packages/core/src/hooks/useWeather/examples/basic.code.tsx
new file mode 100644
index 00000000..c3cf1b8d
--- /dev/null
+++ b/packages/core/src/hooks/useWeather/examples/basic.code.tsx
@@ -0,0 +1,14 @@
+import { HassConnect, useWeather } from "@hakit/core";
+
+function Dashboard() {
+ const weatherEntity = useWeather("weather.weather_entity");
+ // can now access all properties relating to the weather for this entity.
+ return
{JSON.stringify(weatherEntity.forecast, null, 2)}
;
+}
+export function App() {
+ return (
+
+
+
+ );
+}
diff --git a/packages/core/src/hooks/useWeather/useWeatherDocs.mdx b/packages/core/src/hooks/useWeather/useWeatherDocs.mdx
index 7927ae42..4ad7847c 100644
--- a/packages/core/src/hooks/useWeather/useWeatherDocs.mdx
+++ b/packages/core/src/hooks/useWeather/useWeatherDocs.mdx
@@ -1,4 +1,5 @@
import { Meta, Source } from '@storybook/blocks';
+import basicExample from './examples/basic.code?raw';
@@ -7,26 +8,13 @@ import { Meta, Source } from '@storybook/blocks';
This hook is designed to extend the current entity with the current weather information from the entitiy if available.
This will add a "forecast" property to the entity which will contain the current weather information including the type of (daily, twice_daily or hourly)
-NOTE: This hook is already connected to the weather card!
-
-This will automatically subscribe/unsubscribe for you so there's no need to manage anything.
+> NOTE: This hook is already connected to the weather card!
+> This will automatically subscribe/unsubscribe for you so there's no need to manage anything.
### Example Usage
-
- {JSON.stringify(weatherEntity.forecast, null, 2)}
-
-}
-function App() {
- return
-
-
-}
-`} />
+
+
+
diff --git a/packages/core/src/types/supported-services.ts b/packages/core/src/types/supported-services.ts
index 5c62af10..1704294e 100644
--- a/packages/core/src/types/supported-services.ts
+++ b/packages/core/src/types/supported-services.ts
@@ -2,32 +2,6 @@
import type { ServiceFunctionTypes, ServiceFunction } from "./";
export interface DefaultServices {
- persistentNotification: {
- // Shows a notification on the notifications panel.
- create: ServiceFunction<
- object,
- T,
- {
- // Message body of the notification. @example Please check your configuration.yaml.
- message: string;
- // Optional title of the notification. @example Test notification
- title?: string;
- // ID of the notification. This new notification will overwrite an existing notification with the same ID. @example 1234
- notification_id?: string;
- }
- >;
- // Deletes a notification from the notifications panel.
- dismiss: ServiceFunction<
- object,
- T,
- {
- // ID of the notification to be deleted. @example 1234
- notification_id: string;
- }
- >;
- // Deletes all notifications from the notifications panel.
- dismissAll: ServiceFunction